home *** CD-ROM | disk | FTP | other *** search
/ Personal Computer World 2009 February / PCWFEB09.iso / Software / Linux / Kubuntu 8.10 / kubuntu-8.10-desktop-i386.iso / casper / filesystem.squashfs / usr / lib / python2.5 / lib-tk / Tkinter.py < prev    next >
Text File  |  2008-10-05  |  159KB  |  3,784 lines

  1. """Wrapper functions for Tcl/Tk.
  2.  
  3. Tkinter provides classes which allow the display, positioning and
  4. control of widgets. Toplevel widgets are Tk and Toplevel. Other
  5. widgets are Frame, Label, Entry, Text, Canvas, Button, Radiobutton,
  6. Checkbutton, Scale, Listbox, Scrollbar, OptionMenu, Spinbox
  7. LabelFrame and PanedWindow.
  8.  
  9. Properties of the widgets are specified with keyword arguments.
  10. Keyword arguments have the same name as the corresponding resource
  11. under Tk.
  12.  
  13. Widgets are positioned with one of the geometry managers Place, Pack
  14. or Grid. These managers can be called with methods place, pack, grid
  15. available in every Widget.
  16.  
  17. Actions are bound to events by resources (e.g. keyword argument
  18. command) or with the method bind.
  19.  
  20. Example (Hello, World):
  21. import Tkinter
  22. from Tkconstants import *
  23. tk = Tkinter.Tk()
  24. frame = Tkinter.Frame(tk, relief=RIDGE, borderwidth=2)
  25. frame.pack(fill=BOTH,expand=1)
  26. label = Tkinter.Label(frame, text="Hello, World")
  27. label.pack(fill=X, expand=1)
  28. button = Tkinter.Button(frame,text="Exit",command=tk.destroy)
  29. button.pack(side=BOTTOM)
  30. tk.mainloop()
  31. """
  32.  
  33. __version__ = "$Revision: 50704 $"
  34.  
  35. import sys
  36. if sys.platform == "win32":
  37.     import FixTk # Attempt to configure Tcl/Tk without requiring PATH
  38. try:
  39.     import _tkinter
  40. except ImportError, msg:
  41.     raise ImportError, str(msg) + ', please install the python-tk package'
  42. tkinter = _tkinter # b/w compat for export
  43. TclError = _tkinter.TclError
  44. from types import *
  45. from Tkconstants import *
  46. try:
  47.     import MacOS; _MacOS = MacOS; del MacOS
  48. except ImportError:
  49.     _MacOS = None
  50.  
  51. wantobjects = 1
  52.  
  53. TkVersion = float(_tkinter.TK_VERSION)
  54. TclVersion = float(_tkinter.TCL_VERSION)
  55.  
  56. READABLE = _tkinter.READABLE
  57. WRITABLE = _tkinter.WRITABLE
  58. EXCEPTION = _tkinter.EXCEPTION
  59.  
  60. # These are not always defined, e.g. not on Win32 with Tk 8.0 :-(
  61. try: _tkinter.createfilehandler
  62. except AttributeError: _tkinter.createfilehandler = None
  63. try: _tkinter.deletefilehandler
  64. except AttributeError: _tkinter.deletefilehandler = None
  65.  
  66.  
  67. def _flatten(tuple):
  68.     """Internal function."""
  69.     res = ()
  70.     for item in tuple:
  71.         if type(item) in (TupleType, ListType):
  72.             res = res + _flatten(item)
  73.         elif item is not None:
  74.             res = res + (item,)
  75.     return res
  76.  
  77. try: _flatten = _tkinter._flatten
  78. except AttributeError: pass
  79.  
  80. def _cnfmerge(cnfs):
  81.     """Internal function."""
  82.     if type(cnfs) is DictionaryType:
  83.         return cnfs
  84.     elif type(cnfs) in (NoneType, StringType):
  85.         return cnfs
  86.     else:
  87.         cnf = {}
  88.         for c in _flatten(cnfs):
  89.             try:
  90.                 cnf.update(c)
  91.             except (AttributeError, TypeError), msg:
  92.                 print "_cnfmerge: fallback due to:", msg
  93.                 for k, v in c.items():
  94.                     cnf[k] = v
  95.         return cnf
  96.  
  97. try: _cnfmerge = _tkinter._cnfmerge
  98. except AttributeError: pass
  99.  
  100. class Event:
  101.     """Container for the properties of an event.
  102.  
  103.     Instances of this type are generated if one of the following events occurs:
  104.  
  105.     KeyPress, KeyRelease - for keyboard events
  106.     ButtonPress, ButtonRelease, Motion, Enter, Leave, MouseWheel - for mouse events
  107.     Visibility, Unmap, Map, Expose, FocusIn, FocusOut, Circulate,
  108.     Colormap, Gravity, Reparent, Property, Destroy, Activate,
  109.     Deactivate - for window events.
  110.  
  111.     If a callback function for one of these events is registered
  112.     using bind, bind_all, bind_class, or tag_bind, the callback is
  113.     called with an Event as first argument. It will have the
  114.     following attributes (in braces are the event types for which
  115.     the attribute is valid):
  116.  
  117.         serial - serial number of event
  118.     num - mouse button pressed (ButtonPress, ButtonRelease)
  119.     focus - whether the window has the focus (Enter, Leave)
  120.     height - height of the exposed window (Configure, Expose)
  121.     width - width of the exposed window (Configure, Expose)
  122.     keycode - keycode of the pressed key (KeyPress, KeyRelease)
  123.     state - state of the event as a number (ButtonPress, ButtonRelease,
  124.                             Enter, KeyPress, KeyRelease,
  125.                             Leave, Motion)
  126.     state - state as a string (Visibility)
  127.     time - when the event occurred
  128.     x - x-position of the mouse
  129.     y - y-position of the mouse
  130.     x_root - x-position of the mouse on the screen
  131.              (ButtonPress, ButtonRelease, KeyPress, KeyRelease, Motion)
  132.     y_root - y-position of the mouse on the screen
  133.              (ButtonPress, ButtonRelease, KeyPress, KeyRelease, Motion)
  134.     char - pressed character (KeyPress, KeyRelease)
  135.     send_event - see X/Windows documentation
  136.     keysym - keysym of the event as a string (KeyPress, KeyRelease)
  137.     keysym_num - keysym of the event as a number (KeyPress, KeyRelease)
  138.     type - type of the event as a number
  139.     widget - widget in which the event occurred
  140.     delta - delta of wheel movement (MouseWheel)
  141.     """
  142.     pass
  143.  
  144. _support_default_root = 1
  145. _default_root = None
  146.  
  147. def NoDefaultRoot():
  148.     """Inhibit setting of default root window.
  149.  
  150.     Call this function to inhibit that the first instance of
  151.     Tk is used for windows without an explicit parent window.
  152.     """
  153.     global _support_default_root
  154.     _support_default_root = 0
  155.     global _default_root
  156.     _default_root = None
  157.     del _default_root
  158.  
  159. def _tkerror(err):
  160.     """Internal function."""
  161.     pass
  162.  
  163. def _exit(code='0'):
  164.     """Internal function. Calling it will throw the exception SystemExit."""
  165.     raise SystemExit, code
  166.  
  167. _varnum = 0
  168. class Variable:
  169.     """Class to define value holders for e.g. buttons.
  170.  
  171.     Subclasses StringVar, IntVar, DoubleVar, BooleanVar are specializations
  172.     that constrain the type of the value returned from get()."""
  173.     _default = ""
  174.     def __init__(self, master=None, value=None, name=None):
  175.         """Construct a variable
  176.  
  177.         MASTER can be given as master widget.
  178.         VALUE is an optional value (defaults to "")
  179.         NAME is an optional Tcl name (defaults to PY_VARnum).
  180.  
  181.         If NAME matches an existing variable and VALUE is omitted
  182.         then the existing value is retained.
  183.         """
  184.         global _varnum
  185.         if not master:
  186.             master = _default_root
  187.         self._master = master
  188.         self._tk = master.tk
  189.         if name:
  190.             self._name = name
  191.         else:
  192.             self._name = 'PY_VAR' + repr(_varnum)
  193.             _varnum += 1
  194.         if value != None:
  195.             self.set(value)
  196.         elif not self._tk.call("info", "exists", self._name):
  197.             self.set(self._default)
  198.     def __del__(self):
  199.         """Unset the variable in Tcl."""
  200.         self._tk.globalunsetvar(self._name)
  201.     def __str__(self):
  202.         """Return the name of the variable in Tcl."""
  203.         return self._name
  204.     def set(self, value):
  205.         """Set the variable to VALUE."""
  206.         return self._tk.globalsetvar(self._name, value)
  207.     def get(self):
  208.         """Return value of variable."""
  209.         return self._tk.globalgetvar(self._name)
  210.     def trace_variable(self, mode, callback):
  211.         """Define a trace callback for the variable.
  212.  
  213.         MODE is one of "r", "w", "u" for read, write, undefine.
  214.         CALLBACK must be a function which is called when
  215.         the variable is read, written or undefined.
  216.  
  217.         Return the name of the callback.
  218.         """
  219.         cbname = self._master._register(callback)
  220.         self._tk.call("trace", "variable", self._name, mode, cbname)
  221.         return cbname
  222.     trace = trace_variable
  223.     def trace_vdelete(self, mode, cbname):
  224.         """Delete the trace callback for a variable.
  225.  
  226.         MODE is one of "r", "w", "u" for read, write, undefine.
  227.         CBNAME is the name of the callback returned from trace_variable or trace.
  228.         """
  229.         self._tk.call("trace", "vdelete", self._name, mode, cbname)
  230.         self._master.deletecommand(cbname)
  231.     def trace_vinfo(self):
  232.         """Return all trace callback information."""
  233.         return map(self._tk.split, self._tk.splitlist(
  234.             self._tk.call("trace", "vinfo", self._name)))
  235.     def __eq__(self, other):
  236.         """Comparison for equality (==).
  237.  
  238.         Note: if the Variable's master matters to behavior
  239.         also compare self._master == other._master
  240.         """
  241.         return self.__class__.__name__ == other.__class__.__name__ \
  242.             and self._name == other._name
  243.  
  244. class StringVar(Variable):
  245.     """Value holder for strings variables."""
  246.     _default = ""
  247.     def __init__(self, master=None, value=None, name=None):
  248.         """Construct a string variable.
  249.  
  250.         MASTER can be given as master widget.
  251.         VALUE is an optional value (defaults to "")
  252.         NAME is an optional Tcl name (defaults to PY_VARnum).
  253.  
  254.         If NAME matches an existing variable and VALUE is omitted
  255.         then the existing value is retained.
  256.         """
  257.         Variable.__init__(self, master, value, name)
  258.  
  259.     def get(self):
  260.         """Return value of variable as string."""
  261.         value = self._tk.globalgetvar(self._name)
  262.         if isinstance(value, basestring):
  263.             return value
  264.         return str(value)
  265.  
  266. class IntVar(Variable):
  267.     """Value holder for integer variables."""
  268.     _default = 0
  269.     def __init__(self, master=None, value=None, name=None):
  270.         """Construct an integer variable.
  271.  
  272.         MASTER can be given as master widget.
  273.         VALUE is an optional value (defaults to 0)
  274.         NAME is an optional Tcl name (defaults to PY_VARnum).
  275.  
  276.         If NAME matches an existing variable and VALUE is omitted
  277.         then the existing value is retained.
  278.         """
  279.         Variable.__init__(self, master, value, name)
  280.  
  281.     def set(self, value):
  282.         """Set the variable to value, converting booleans to integers."""
  283.         if isinstance(value, bool):
  284.             value = int(value)
  285.         return Variable.set(self, value)
  286.  
  287.     def get(self):
  288.         """Return the value of the variable as an integer."""
  289.         return getint(self._tk.globalgetvar(self._name))
  290.  
  291. class DoubleVar(Variable):
  292.     """Value holder for float variables."""
  293.     _default = 0.0
  294.     def __init__(self, master=None, value=None, name=None):
  295.         """Construct a float variable.
  296.  
  297.         MASTER can be given as master widget.
  298.         VALUE is an optional value (defaults to 0.0)
  299.         NAME is an optional Tcl name (defaults to PY_VARnum).
  300.  
  301.         If NAME matches an existing variable and VALUE is omitted
  302.         then the existing value is retained.
  303.         """
  304.         Variable.__init__(self, master, value, name)
  305.  
  306.     def get(self):
  307.         """Return the value of the variable as a float."""
  308.         return getdouble(self._tk.globalgetvar(self._name))
  309.  
  310. class BooleanVar(Variable):
  311.     """Value holder for boolean variables."""
  312.     _default = False
  313.     def __init__(self, master=None, value=None, name=None):
  314.         """Construct a boolean variable.
  315.  
  316.         MASTER can be given as master widget.
  317.         VALUE is an optional value (defaults to False)
  318.         NAME is an optional Tcl name (defaults to PY_VARnum).
  319.  
  320.         If NAME matches an existing variable and VALUE is omitted
  321.         then the existing value is retained.
  322.         """
  323.         Variable.__init__(self, master, value, name)
  324.  
  325.     def get(self):
  326.         """Return the value of the variable as a bool."""
  327.         return self._tk.getboolean(self._tk.globalgetvar(self._name))
  328.  
  329. def mainloop(n=0):
  330.     """Run the main loop of Tcl."""
  331.     _default_root.tk.mainloop(n)
  332.  
  333. getint = int
  334.  
  335. getdouble = float
  336.  
  337. def getboolean(s):
  338.     """Convert true and false to integer values 1 and 0."""
  339.     return _default_root.tk.getboolean(s)
  340.  
  341. # Methods defined on both toplevel and interior widgets
  342. class Misc:
  343.     """Internal class.
  344.  
  345.     Base class which defines methods common for interior widgets."""
  346.  
  347.     # XXX font command?
  348.     _tclCommands = None
  349.     def destroy(self):
  350.         """Internal function.
  351.  
  352.         Delete all Tcl commands created for
  353.         this widget in the Tcl interpreter."""
  354.         if self._tclCommands is not None:
  355.             for name in self._tclCommands:
  356.                 #print '- Tkinter: deleted command', name
  357.                 self.tk.deletecommand(name)
  358.             self._tclCommands = None
  359.     def deletecommand(self, name):
  360.         """Internal function.
  361.  
  362.         Delete the Tcl command provided in NAME."""
  363.         #print '- Tkinter: deleted command', name
  364.         self.tk.deletecommand(name)
  365.         try:
  366.             self._tclCommands.remove(name)
  367.         except ValueError:
  368.             pass
  369.     def tk_strictMotif(self, boolean=None):
  370.         """Set Tcl internal variable, whether the look and feel
  371.         should adhere to Motif.
  372.  
  373.         A parameter of 1 means adhere to Motif (e.g. no color
  374.         change if mouse passes over slider).
  375.         Returns the set value."""
  376.         return self.tk.getboolean(self.tk.call(
  377.             'set', 'tk_strictMotif', boolean))
  378.     def tk_bisque(self):
  379.         """Change the color scheme to light brown as used in Tk 3.6 and before."""
  380.         self.tk.call('tk_bisque')
  381.     def tk_setPalette(self, *args, **kw):
  382.         """Set a new color scheme for all widget elements.
  383.  
  384.         A single color as argument will cause that all colors of Tk
  385.         widget elements are derived from this.
  386.         Alternatively several keyword parameters and its associated
  387.         colors can be given. The following keywords are valid:
  388.         activeBackground, foreground, selectColor,
  389.         activeForeground, highlightBackground, selectBackground,
  390.         background, highlightColor, selectForeground,
  391.         disabledForeground, insertBackground, troughColor."""
  392.         self.tk.call(('tk_setPalette',)
  393.               + _flatten(args) + _flatten(kw.items()))
  394.     def tk_menuBar(self, *args):
  395.         """Do not use. Needed in Tk 3.6 and earlier."""
  396.         pass # obsolete since Tk 4.0
  397.     def wait_variable(self, name='PY_VAR'):
  398.         """Wait until the variable is modified.
  399.  
  400.         A parameter of type IntVar, StringVar, DoubleVar or
  401.         BooleanVar must be given."""
  402.         self.tk.call('tkwait', 'variable', name)
  403.     waitvar = wait_variable # XXX b/w compat
  404.     def wait_window(self, window=None):
  405.         """Wait until a WIDGET is destroyed.
  406.  
  407.         If no parameter is given self is used."""
  408.         if window is None:
  409.             window = self
  410.         self.tk.call('tkwait', 'window', window._w)
  411.     def wait_visibility(self, window=None):
  412.         """Wait until the visibility of a WIDGET changes
  413.         (e.g. it appears).
  414.  
  415.         If no parameter is given self is used."""
  416.         if window is None:
  417.             window = self
  418.         self.tk.call('tkwait', 'visibility', window._w)
  419.     def setvar(self, name='PY_VAR', value='1'):
  420.         """Set Tcl variable NAME to VALUE."""
  421.         self.tk.setvar(name, value)
  422.     def getvar(self, name='PY_VAR'):
  423.         """Return value of Tcl variable NAME."""
  424.         return self.tk.getvar(name)
  425.     getint = int
  426.     getdouble = float
  427.     def getboolean(self, s):
  428.         """Return a boolean value for Tcl boolean values true and false given as parameter."""
  429.         return self.tk.getboolean(s)
  430.     def focus_set(self):
  431.         """Direct input focus to this widget.
  432.  
  433.         If the application currently does not have the focus
  434.         this widget will get the focus if the application gets
  435.         the focus through the window manager."""
  436.         self.tk.call('focus', self._w)
  437.     focus = focus_set # XXX b/w compat?
  438.     def focus_force(self):
  439.         """Direct input focus to this widget even if the
  440.         application does not have the focus. Use with
  441.         caution!"""
  442.         self.tk.call('focus', '-force', self._w)
  443.     def focus_get(self):
  444.         """Return the widget which has currently the focus in the
  445.         application.
  446.  
  447.         Use focus_displayof to allow working with several
  448.         displays. Return None if application does not have
  449.         the focus."""
  450.         name = self.tk.call('focus')
  451.         if name == 'none' or not name: return None
  452.         return self._nametowidget(name)
  453.     def focus_displayof(self):
  454.         """Return the widget which has currently the focus on the
  455.         display where this widget is located.
  456.  
  457.         Return None if the application does not have the focus."""
  458.         name = self.tk.call('focus', '-displayof', self._w)
  459.         if name == 'none' or not name: return None
  460.         return self._nametowidget(name)
  461.     def focus_lastfor(self):
  462.         """Return the widget which would have the focus if top level
  463.         for this widget gets the focus from the window manager."""
  464.         name = self.tk.call('focus', '-lastfor', self._w)
  465.         if name == 'none' or not name: return None
  466.         return self._nametowidget(name)
  467.     def tk_focusFollowsMouse(self):
  468.         """The widget under mouse will get automatically focus. Can not
  469.         be disabled easily."""
  470.         self.tk.call('tk_focusFollowsMouse')
  471.     def tk_focusNext(self):
  472.         """Return the next widget in the focus order which follows
  473.         widget which has currently the focus.
  474.  
  475.         The focus order first goes to the next child, then to
  476.         the children of the child recursively and then to the
  477.         next sibling which is higher in the stacking order.  A
  478.         widget is omitted if it has the takefocus resource set
  479.         to 0."""
  480.         name = self.tk.call('tk_focusNext', self._w)
  481.         if not name: return None
  482.         return self._nametowidget(name)
  483.     def tk_focusPrev(self):
  484.         """Return previous widget in the focus order. See tk_focusNext for details."""
  485.         name = self.tk.call('tk_focusPrev', self._w)
  486.         if not name: return None
  487.         return self._nametowidget(name)
  488.     def after(self, ms, func=None, *args):
  489.         """Call function once after given time.
  490.  
  491.         MS specifies the time in milliseconds. FUNC gives the
  492.         function which shall be called. Additional parameters
  493.         are given as parameters to the function call.  Return
  494.         identifier to cancel scheduling with after_cancel."""
  495.         if not func:
  496.             # I'd rather use time.sleep(ms*0.001)
  497.             self.tk.call('after', ms)
  498.         else:
  499.             def callit():
  500.                 try:
  501.                     func(*args)
  502.                 finally:
  503.                     try:
  504.                         self.deletecommand(name)
  505.                     except TclError:
  506.                         pass
  507.             name = self._register(callit)
  508.             return self.tk.call('after', ms, name)
  509.     def after_idle(self, func, *args):
  510.         """Call FUNC once if the Tcl main loop has no event to
  511.         process.
  512.  
  513.         Return an identifier to cancel the scheduling with
  514.         after_cancel."""
  515.         return self.after('idle', func, *args)
  516.     def after_cancel(self, id):
  517.         """Cancel scheduling of function identified with ID.
  518.  
  519.         Identifier returned by after or after_idle must be
  520.         given as first parameter."""
  521.         try:
  522.             data = self.tk.call('after', 'info', id)
  523.             # In Tk 8.3, splitlist returns: (script, type)
  524.             # In Tk 8.4, splitlist may return (script, type) or (script,)
  525.             script = self.tk.splitlist(data)[0]
  526.             self.deletecommand(script)
  527.         except TclError:
  528.             pass
  529.         self.tk.call('after', 'cancel', id)
  530.     def bell(self, displayof=0):
  531.         """Ring a display's bell."""
  532.         self.tk.call(('bell',) + self._displayof(displayof))
  533.  
  534.     # Clipboard handling:
  535.     def clipboard_get(self, **kw):
  536.         """Retrieve data from the clipboard on window's display.
  537.  
  538.         The window keyword defaults to the root window of the Tkinter
  539.         application.
  540.  
  541.         The type keyword specifies the form in which the data is
  542.         to be returned and should be an atom name such as STRING
  543.         or FILE_NAME.  Type defaults to STRING.
  544.  
  545.         This command is equivalent to:
  546.  
  547.         selection_get(CLIPBOARD)
  548.         """
  549.         return self.tk.call(('clipboard', 'get') + self._options(kw))
  550.  
  551.     def clipboard_clear(self, **kw):
  552.         """Clear the data in the Tk clipboard.
  553.  
  554.         A widget specified for the optional displayof keyword
  555.         argument specifies the target display."""
  556.         if not kw.has_key('displayof'): kw['displayof'] = self._w
  557.         self.tk.call(('clipboard', 'clear') + self._options(kw))
  558.     def clipboard_append(self, string, **kw):
  559.         """Append STRING to the Tk clipboard.
  560.  
  561.         A widget specified at the optional displayof keyword
  562.         argument specifies the target display. The clipboard
  563.         can be retrieved with selection_get."""
  564.         if not kw.has_key('displayof'): kw['displayof'] = self._w
  565.         self.tk.call(('clipboard', 'append') + self._options(kw)
  566.               + ('--', string))
  567.     # XXX grab current w/o window argument
  568.     def grab_current(self):
  569.         """Return widget which has currently the grab in this application
  570.         or None."""
  571.         name = self.tk.call('grab', 'current', self._w)
  572.         if not name: return None
  573.         return self._nametowidget(name)
  574.     def grab_release(self):
  575.         """Release grab for this widget if currently set."""
  576.         self.tk.call('grab', 'release', self._w)
  577.     def grab_set(self):
  578.         """Set grab for this widget.
  579.  
  580.         A grab directs all events to this and descendant
  581.         widgets in the application."""
  582.         self.tk.call('grab', 'set', self._w)
  583.     def grab_set_global(self):
  584.         """Set global grab for this widget.
  585.  
  586.         A global grab directs all events to this and
  587.         descendant widgets on the display. Use with caution -
  588.         other applications do not get events anymore."""
  589.         self.tk.call('grab', 'set', '-global', self._w)
  590.     def grab_status(self):
  591.         """Return None, "local" or "global" if this widget has
  592.         no, a local or a global grab."""
  593.         status = self.tk.call('grab', 'status', self._w)
  594.         if status == 'none': status = None
  595.         return status
  596.     def lower(self, belowThis=None):
  597.         """Lower this widget in the stacking order."""
  598.         self.tk.call('lower', self._w, belowThis)
  599.     def option_add(self, pattern, value, priority = None):
  600.         """Set a VALUE (second parameter) for an option
  601.         PATTERN (first parameter).
  602.  
  603.         An optional third parameter gives the numeric priority
  604.         (defaults to 80)."""
  605.         self.tk.call('option', 'add', pattern, value, priority)
  606.     def option_clear(self):
  607.         """Clear the option database.
  608.  
  609.         It will be reloaded if option_add is called."""
  610.         self.tk.call('option', 'clear')
  611.     def option_get(self, name, className):
  612.         """Return the value for an option NAME for this widget
  613.         with CLASSNAME.
  614.  
  615.         Values with higher priority override lower values."""
  616.         return self.tk.call('option', 'get', self._w, name, className)
  617.     def option_readfile(self, fileName, priority = None):
  618.         """Read file FILENAME into the option database.
  619.  
  620.         An optional second parameter gives the numeric
  621.         priority."""
  622.         self.tk.call('option', 'readfile', fileName, priority)
  623.     def selection_clear(self, **kw):
  624.         """Clear the current X selection."""
  625.         if not kw.has_key('displayof'): kw['displayof'] = self._w
  626.         self.tk.call(('selection', 'clear') + self._options(kw))
  627.     def selection_get(self, **kw):
  628.         """Return the contents of the current X selection.
  629.  
  630.         A keyword parameter selection specifies the name of
  631.         the selection and defaults to PRIMARY.  A keyword
  632.         parameter displayof specifies a widget on the display
  633.         to use."""
  634.         if not kw.has_key('displayof'): kw['displayof'] = self._w
  635.         return self.tk.call(('selection', 'get') + self._options(kw))
  636.     def selection_handle(self, command, **kw):
  637.         """Specify a function COMMAND to call if the X
  638.         selection owned by this widget is queried by another
  639.         application.
  640.  
  641.         This function must return the contents of the
  642.         selection. The function will be called with the
  643.         arguments OFFSET and LENGTH which allows the chunking
  644.         of very long selections. The following keyword
  645.         parameters can be provided:
  646.         selection - name of the selection (default PRIMARY),
  647.         type - type of the selection (e.g. STRING, FILE_NAME)."""
  648.         name = self._register(command)
  649.         self.tk.call(('selection', 'handle') + self._options(kw)
  650.               + (self._w, name))
  651.     def selection_own(self, **kw):
  652.         """Become owner of X selection.
  653.  
  654.         A keyword parameter selection specifies the name of
  655.         the selection (default PRIMARY)."""
  656.         self.tk.call(('selection', 'own') +
  657.                  self._options(kw) + (self._w,))
  658.     def selection_own_get(self, **kw):
  659.         """Return owner of X selection.
  660.  
  661.         The following keyword parameter can
  662.         be provided:
  663.         selection - name of the selection (default PRIMARY),
  664.         type - type of the selection (e.g. STRING, FILE_NAME)."""
  665.         if not kw.has_key('displayof'): kw['displayof'] = self._w
  666.         name = self.tk.call(('selection', 'own') + self._options(kw))
  667.         if not name: return None
  668.         return self._nametowidget(name)
  669.     def send(self, interp, cmd, *args):
  670.         """Send Tcl command CMD to different interpreter INTERP to be executed."""
  671.         return self.tk.call(('send', interp, cmd) + args)
  672.     def lower(self, belowThis=None):
  673.         """Lower this widget in the stacking order."""
  674.         self.tk.call('lower', self._w, belowThis)
  675.     def tkraise(self, aboveThis=None):
  676.         """Raise this widget in the stacking order."""
  677.         self.tk.call('raise', self._w, aboveThis)
  678.     lift = tkraise
  679.     def colormodel(self, value=None):
  680.         """Useless. Not implemented in Tk."""
  681.         return self.tk.call('tk', 'colormodel', self._w, value)
  682.     def winfo_atom(self, name, displayof=0):
  683.         """Return integer which represents atom NAME."""
  684.         args = ('winfo', 'atom') + self._displayof(displayof) + (name,)
  685.         return getint(self.tk.call(args))
  686.     def winfo_atomname(self, id, displayof=0):
  687.         """Return name of atom with identifier ID."""
  688.         args = ('winfo', 'atomname') \
  689.                + self._displayof(displayof) + (id,)
  690.         return self.tk.call(args)
  691.     def winfo_cells(self):
  692.         """Return number of cells in the colormap for this widget."""
  693.         return getint(
  694.             self.tk.call('winfo', 'cells', self._w))
  695.     def winfo_children(self):
  696.         """Return a list of all widgets which are children of this widget."""
  697.         result = []
  698.         for child in self.tk.splitlist(
  699.             self.tk.call('winfo', 'children', self._w)):
  700.             try:
  701.                 # Tcl sometimes returns extra windows, e.g. for
  702.                 # menus; those need to be skipped
  703.                 result.append(self._nametowidget(child))
  704.             except KeyError:
  705.                 pass
  706.         return result
  707.  
  708.     def winfo_class(self):
  709.         """Return window class name of this widget."""
  710.         return self.tk.call('winfo', 'class', self._w)
  711.     def winfo_colormapfull(self):
  712.         """Return true if at the last color request the colormap was full."""
  713.         return self.tk.getboolean(
  714.             self.tk.call('winfo', 'colormapfull', self._w))
  715.     def winfo_containing(self, rootX, rootY, displayof=0):
  716.         """Return the widget which is at the root coordinates ROOTX, ROOTY."""
  717.         args = ('winfo', 'containing') \
  718.                + self._displayof(displayof) + (rootX, rootY)
  719.         name = self.tk.call(args)
  720.         if not name: return None
  721.         return self._nametowidget(name)
  722.     def winfo_depth(self):
  723.         """Return the number of bits per pixel."""
  724.         return getint(self.tk.call('winfo', 'depth', self._w))
  725.     def winfo_exists(self):
  726.         """Return true if this widget exists."""
  727.         return getint(
  728.             self.tk.call('winfo', 'exists', self._w))
  729.     def winfo_fpixels(self, number):
  730.         """Return the number of pixels for the given distance NUMBER
  731.         (e.g. "3c") as float."""
  732.         return getdouble(self.tk.call(
  733.             'winfo', 'fpixels', self._w, number))
  734.     def winfo_geometry(self):
  735.         """Return geometry string for this widget in the form "widthxheight+X+Y"."""
  736.         return self.tk.call('winfo', 'geometry', self._w)
  737.     def winfo_height(self):
  738.         """Return height of this widget."""
  739.         return getint(
  740.             self.tk.call('winfo', 'height', self._w))
  741.     def winfo_id(self):
  742.         """Return identifier ID for this widget."""
  743.         return self.tk.getint(
  744.             self.tk.call('winfo', 'id', self._w))
  745.     def winfo_interps(self, displayof=0):
  746.         """Return the name of all Tcl interpreters for this display."""
  747.         args = ('winfo', 'interps') + self._displayof(displayof)
  748.         return self.tk.splitlist(self.tk.call(args))
  749.     def winfo_ismapped(self):
  750.         """Return true if this widget is mapped."""
  751.         return getint(
  752.             self.tk.call('winfo', 'ismapped', self._w))
  753.     def winfo_manager(self):
  754.         """Return the window mananger name for this widget."""
  755.         return self.tk.call('winfo', 'manager', self._w)
  756.     def winfo_name(self):
  757.         """Return the name of this widget."""
  758.         return self.tk.call('winfo', 'name', self._w)
  759.     def winfo_parent(self):
  760.         """Return the name of the parent of this widget."""
  761.         return self.tk.call('winfo', 'parent', self._w)
  762.     def winfo_pathname(self, id, displayof=0):
  763.         """Return the pathname of the widget given by ID."""
  764.         args = ('winfo', 'pathname') \
  765.                + self._displayof(displayof) + (id,)
  766.         return self.tk.call(args)
  767.     def winfo_pixels(self, number):
  768.         """Rounded integer value of winfo_fpixels."""
  769.         return getint(
  770.             self.tk.call('winfo', 'pixels', self._w, number))
  771.     def winfo_pointerx(self):
  772.         """Return the x coordinate of the pointer on the root window."""
  773.         return getint(
  774.             self.tk.call('winfo', 'pointerx', self._w))
  775.     def winfo_pointerxy(self):
  776.         """Return a tuple of x and y coordinates of the pointer on the root window."""
  777.         return self._getints(
  778.             self.tk.call('winfo', 'pointerxy', self._w))
  779.     def winfo_pointery(self):
  780.         """Return the y coordinate of the pointer on the root window."""
  781.         return getint(
  782.             self.tk.call('winfo', 'pointery', self._w))
  783.     def winfo_reqheight(self):
  784.         """Return requested height of this widget."""
  785.         return getint(
  786.             self.tk.call('winfo', 'reqheight', self._w))
  787.     def winfo_reqwidth(self):
  788.         """Return requested width of this widget."""
  789.         return getint(
  790.             self.tk.call('winfo', 'reqwidth', self._w))
  791.     def winfo_rgb(self, color):
  792.         """Return tuple of decimal values for red, green, blue for
  793.         COLOR in this widget."""
  794.         return self._getints(
  795.             self.tk.call('winfo', 'rgb', self._w, color))
  796.     def winfo_rootx(self):
  797.         """Return x coordinate of upper left corner of this widget on the
  798.         root window."""
  799.         return getint(
  800.             self.tk.call('winfo', 'rootx', self._w))
  801.     def winfo_rooty(self):
  802.         """Return y coordinate of upper left corner of this widget on the
  803.         root window."""
  804.         return getint(
  805.             self.tk.call('winfo', 'rooty', self._w))
  806.     def winfo_screen(self):
  807.         """Return the screen name of this widget."""
  808.         return self.tk.call('winfo', 'screen', self._w)
  809.     def winfo_screencells(self):
  810.         """Return the number of the cells in the colormap of the screen
  811.         of this widget."""
  812.         return getint(
  813.             self.tk.call('winfo', 'screencells', self._w))
  814.     def winfo_screendepth(self):
  815.         """Return the number of bits per pixel of the root window of the
  816.         screen of this widget."""
  817.         return getint(
  818.             self.tk.call('winfo', 'screendepth', self._w))
  819.     def winfo_screenheight(self):
  820.         """Return the number of pixels of the height of the screen of this widget
  821.         in pixel."""
  822.         return getint(
  823.             self.tk.call('winfo', 'screenheight', self._w))
  824.     def winfo_screenmmheight(self):
  825.         """Return the number of pixels of the height of the screen of
  826.         this widget in mm."""
  827.         return getint(
  828.             self.tk.call('winfo', 'screenmmheight', self._w))
  829.     def winfo_screenmmwidth(self):
  830.         """Return the number of pixels of the width of the screen of
  831.         this widget in mm."""
  832.         return getint(
  833.             self.tk.call('winfo', 'screenmmwidth', self._w))
  834.     def winfo_screenvisual(self):
  835.         """Return one of the strings directcolor, grayscale, pseudocolor,
  836.         staticcolor, staticgray, or truecolor for the default
  837.         colormodel of this screen."""
  838.         return self.tk.call('winfo', 'screenvisual', self._w)
  839.     def winfo_screenwidth(self):
  840.         """Return the number of pixels of the width of the screen of
  841.         this widget in pixel."""
  842.         return getint(
  843.             self.tk.call('winfo', 'screenwidth', self._w))
  844.     def winfo_server(self):
  845.         """Return information of the X-Server of the screen of this widget in
  846.         the form "XmajorRminor vendor vendorVersion"."""
  847.         return self.tk.call('winfo', 'server', self._w)
  848.     def winfo_toplevel(self):
  849.         """Return the toplevel widget of this widget."""
  850.         return self._nametowidget(self.tk.call(
  851.             'winfo', 'toplevel', self._w))
  852.     def winfo_viewable(self):
  853.         """Return true if the widget and all its higher ancestors are mapped."""
  854.         return getint(
  855.             self.tk.call('winfo', 'viewable', self._w))
  856.     def winfo_visual(self):
  857.         """Return one of the strings directcolor, grayscale, pseudocolor,
  858.         staticcolor, staticgray, or truecolor for the
  859.         colormodel of this widget."""
  860.         return self.tk.call('winfo', 'visual', self._w)
  861.     def winfo_visualid(self):
  862.         """Return the X identifier for the visual for this widget."""
  863.         return self.tk.call('winfo', 'visualid', self._w)
  864.     def winfo_visualsavailable(self, includeids=0):
  865.         """Return a list of all visuals available for the screen
  866.         of this widget.
  867.  
  868.         Each item in the list consists of a visual name (see winfo_visual), a
  869.         depth and if INCLUDEIDS=1 is given also the X identifier."""
  870.         data = self.tk.split(
  871.             self.tk.call('winfo', 'visualsavailable', self._w,
  872.                      includeids and 'includeids' or None))
  873.         if type(data) is StringType:
  874.             data = [self.tk.split(data)]
  875.         return map(self.__winfo_parseitem, data)
  876.     def __winfo_parseitem(self, t):
  877.         """Internal function."""
  878.         return t[:1] + tuple(map(self.__winfo_getint, t[1:]))
  879.     def __winfo_getint(self, x):
  880.         """Internal function."""
  881.         return int(x, 0)
  882.     def winfo_vrootheight(self):
  883.         """Return the height of the virtual root window associated with this
  884.         widget in pixels. If there is no virtual root window return the
  885.         height of the screen."""
  886.         return getint(
  887.             self.tk.call('winfo', 'vrootheight', self._w))
  888.     def winfo_vrootwidth(self):
  889.         """Return the width of the virtual root window associated with this
  890.         widget in pixel. If there is no virtual root window return the
  891.         width of the screen."""
  892.         return getint(
  893.             self.tk.call('winfo', 'vrootwidth', self._w))
  894.     def winfo_vrootx(self):
  895.         """Return the x offset of the virtual root relative to the root
  896.         window of the screen of this widget."""
  897.         return getint(
  898.             self.tk.call('winfo', 'vrootx', self._w))
  899.     def winfo_vrooty(self):
  900.         """Return the y offset of the virtual root relative to the root
  901.         window of the screen of this widget."""
  902.         return getint(
  903.             self.tk.call('winfo', 'vrooty', self._w))
  904.     def winfo_width(self):
  905.         """Return the width of this widget."""
  906.         return getint(
  907.             self.tk.call('winfo', 'width', self._w))
  908.     def winfo_x(self):
  909.         """Return the x coordinate of the upper left corner of this widget
  910.         in the parent."""
  911.         return getint(
  912.             self.tk.call('winfo', 'x', self._w))
  913.     def winfo_y(self):
  914.         """Return the y coordinate of the upper left corner of this widget
  915.         in the parent."""
  916.         return getint(
  917.             self.tk.call('winfo', 'y', self._w))
  918.     def update(self):
  919.         """Enter event loop until all pending events have been processed by Tcl."""
  920.         self.tk.call('update')
  921.     def update_idletasks(self):
  922.         """Enter event loop until all idle callbacks have been called. This
  923.         will update the display of windows but not process events caused by
  924.         the user."""
  925.         self.tk.call('update', 'idletasks')
  926.     def bindtags(self, tagList=None):
  927.         """Set or get the list of bindtags for this widget.
  928.  
  929.         With no argument return the list of all bindtags associated with
  930.         this widget. With a list of strings as argument the bindtags are
  931.         set to this list. The bindtags determine in which order events are
  932.         processed (see bind)."""
  933.         if tagList is None:
  934.             return self.tk.splitlist(
  935.                 self.tk.call('bindtags', self._w))
  936.         else:
  937.             self.tk.call('bindtags', self._w, tagList)
  938.     def _bind(self, what, sequence, func, add, needcleanup=1):
  939.         """Internal function."""
  940.         if type(func) is StringType:
  941.             self.tk.call(what + (sequence, func))
  942.         elif func:
  943.             funcid = self._register(func, self._substitute,
  944.                         needcleanup)
  945.             cmd = ('%sif {"[%s %s]" == "break"} break\n'
  946.                    %
  947.                    (add and '+' or '',
  948.                 funcid, self._subst_format_str))
  949.             self.tk.call(what + (sequence, cmd))
  950.             return funcid
  951.         elif sequence:
  952.             return self.tk.call(what + (sequence,))
  953.         else:
  954.             return self.tk.splitlist(self.tk.call(what))
  955.     def bind(self, sequence=None, func=None, add=None):
  956.         """Bind to this widget at event SEQUENCE a call to function FUNC.
  957.  
  958.         SEQUENCE is a string of concatenated event
  959.         patterns. An event pattern is of the form
  960.         <MODIFIER-MODIFIER-TYPE-DETAIL> where MODIFIER is one
  961.         of Control, Mod2, M2, Shift, Mod3, M3, Lock, Mod4, M4,
  962.         Button1, B1, Mod5, M5 Button2, B2, Meta, M, Button3,
  963.         B3, Alt, Button4, B4, Double, Button5, B5 Triple,
  964.         Mod1, M1. TYPE is one of Activate, Enter, Map,
  965.         ButtonPress, Button, Expose, Motion, ButtonRelease
  966.         FocusIn, MouseWheel, Circulate, FocusOut, Property,
  967.         Colormap, Gravity Reparent, Configure, KeyPress, Key,
  968.         Unmap, Deactivate, KeyRelease Visibility, Destroy,
  969.         Leave and DETAIL is the button number for ButtonPress,
  970.         ButtonRelease and DETAIL is the Keysym for KeyPress and
  971.         KeyRelease. Examples are
  972.         <Control-Button-1> for pressing Control and mouse button 1 or
  973.         <Alt-A> for pressing A and the Alt key (KeyPress can be omitted).
  974.         An event pattern can also be a virtual event of the form
  975.         <<AString>> where AString can be arbitrary. This
  976.         event can be generated by event_generate.
  977.         If events are concatenated they must appear shortly
  978.         after each other.
  979.  
  980.         FUNC will be called if the event sequence occurs with an
  981.         instance of Event as argument. If the return value of FUNC is
  982.         "break" no further bound function is invoked.
  983.  
  984.         An additional boolean parameter ADD specifies whether FUNC will
  985.         be called additionally to the other bound function or whether
  986.         it will replace the previous function.
  987.  
  988.         Bind will return an identifier to allow deletion of the bound function with
  989.         unbind without memory leak.
  990.  
  991.         If FUNC or SEQUENCE is omitted the bound function or list
  992.         of bound events are returned."""
  993.  
  994.         return self._bind(('bind', self._w), sequence, func, add)
  995.     def unbind(self, sequence, funcid=None):
  996.         """Unbind for this widget for event SEQUENCE  the
  997.         function identified with FUNCID."""
  998.         self.tk.call('bind', self._w, sequence, '')
  999.         if funcid:
  1000.             self.deletecommand(funcid)
  1001.     def bind_all(self, sequence=None, func=None, add=None):
  1002.         """Bind to all widgets at an event SEQUENCE a call to function FUNC.
  1003.         An additional boolean parameter ADD specifies whether FUNC will
  1004.         be called additionally to the other bound function or whether
  1005.         it will replace the previous function. See bind for the return value."""
  1006.         return self._bind(('bind', 'all'), sequence, func, add, 0)
  1007.     def unbind_all(self, sequence):
  1008.         """Unbind for all widgets for event SEQUENCE all functions."""
  1009.         self.tk.call('bind', 'all' , sequence, '')
  1010.     def bind_class(self, className, sequence=None, func=None, add=None):
  1011.  
  1012.         """Bind to widgets with bindtag CLASSNAME at event
  1013.         SEQUENCE a call of function FUNC. An additional
  1014.         boolean parameter ADD specifies whether FUNC will be
  1015.         called additionally to the other bound function or
  1016.         whether it will replace the previous function. See bind for
  1017.         the return value."""
  1018.  
  1019.         return self._bind(('bind', className), sequence, func, add, 0)
  1020.     def unbind_class(self, className, sequence):
  1021.         """Unbind for a all widgets with bindtag CLASSNAME for event SEQUENCE
  1022.         all functions."""
  1023.         self.tk.call('bind', className , sequence, '')
  1024.     def mainloop(self, n=0):
  1025.         """Call the mainloop of Tk."""
  1026.         self.tk.mainloop(n)
  1027.     def quit(self):
  1028.         """Quit the Tcl interpreter. All widgets will be destroyed."""
  1029.         self.tk.quit()
  1030.     def _getints(self, string):
  1031.         """Internal function."""
  1032.         if string:
  1033.             return tuple(map(getint, self.tk.splitlist(string)))
  1034.     def _getdoubles(self, string):
  1035.         """Internal function."""
  1036.         if string:
  1037.             return tuple(map(getdouble, self.tk.splitlist(string)))
  1038.     def _getboolean(self, string):
  1039.         """Internal function."""
  1040.         if string:
  1041.             return self.tk.getboolean(string)
  1042.     def _displayof(self, displayof):
  1043.         """Internal function."""
  1044.         if displayof:
  1045.             return ('-displayof', displayof)
  1046.         if displayof is None:
  1047.             return ('-displayof', self._w)
  1048.         return ()
  1049.     def _options(self, cnf, kw = None):
  1050.         """Internal function."""
  1051.         if kw:
  1052.             cnf = _cnfmerge((cnf, kw))
  1053.         else:
  1054.             cnf = _cnfmerge(cnf)
  1055.         res = ()
  1056.         for k, v in cnf.items():
  1057.             if v is not None:
  1058.                 if k[-1] == '_': k = k[:-1]
  1059.                 if callable(v):
  1060.                     v = self._register(v)
  1061.                 elif isinstance(v, (tuple, list)):
  1062.                     nv = []
  1063.                     for item in v:
  1064.                         if not isinstance(item, (basestring, int)):
  1065.                             break
  1066.                         elif isinstance(item, int):
  1067.                             nv.append('%d' % item)
  1068.                         else:
  1069.                             # format it to proper Tcl code if it contains space
  1070.                             nv.append(('{%s}' if ' ' in item else '%s') % item)
  1071.                     else:
  1072.                         v = ' '.join(nv)
  1073.                 res = res + ('-'+k, v)
  1074.         return res
  1075.     def nametowidget(self, name):
  1076.         """Return the Tkinter instance of a widget identified by
  1077.         its Tcl name NAME."""
  1078.         name = str(name).split('.')
  1079.         w = self
  1080.  
  1081.         if not name[0]:
  1082.             w = w._root()
  1083.             name = name[1:]
  1084.  
  1085.         for n in name:
  1086.             if not n:
  1087.                 break
  1088.             w = w.children[n]
  1089.  
  1090.         return w
  1091.     _nametowidget = nametowidget
  1092.     def _register(self, func, subst=None, needcleanup=1):
  1093.         """Return a newly created Tcl function. If this
  1094.         function is called, the Python function FUNC will
  1095.         be executed. An optional function SUBST can
  1096.         be given which will be executed before FUNC."""
  1097.         f = CallWrapper(func, subst, self).__call__
  1098.         name = repr(id(f))
  1099.         try:
  1100.             func = func.im_func
  1101.         except AttributeError:
  1102.             pass
  1103.         try:
  1104.             name = name + func.__name__
  1105.         except AttributeError:
  1106.             pass
  1107.         self.tk.createcommand(name, f)
  1108.         if needcleanup:
  1109.             if self._tclCommands is None:
  1110.                 self._tclCommands = []
  1111.             self._tclCommands.append(name)
  1112.         return name
  1113.     register = _register
  1114.     def _root(self):
  1115.         """Internal function."""
  1116.         w = self
  1117.         while w.master: w = w.master
  1118.         return w
  1119.     _subst_format = ('%#', '%b', '%f', '%h', '%k',
  1120.              '%s', '%t', '%w', '%x', '%y',
  1121.              '%A', '%E', '%K', '%N', '%W', '%T', '%X', '%Y', '%D')
  1122.     _subst_format_str = " ".join(_subst_format)
  1123.     def _substitute(self, *args):
  1124.         """Internal function."""
  1125.         if len(args) != len(self._subst_format): return args
  1126.         getboolean = self.tk.getboolean
  1127.  
  1128.         getint = int
  1129.         def getint_event(s):
  1130.             """Tk changed behavior in 8.4.2, returning "??" rather more often."""
  1131.             try:
  1132.                 return int(s)
  1133.             except ValueError:
  1134.                 return s
  1135.  
  1136.         nsign, b, f, h, k, s, t, w, x, y, A, E, K, N, W, T, X, Y, D = args
  1137.         # Missing: (a, c, d, m, o, v, B, R)
  1138.         e = Event()
  1139.         # serial field: valid vor all events
  1140.         # number of button: ButtonPress and ButtonRelease events only
  1141.         # height field: Configure, ConfigureRequest, Create,
  1142.         # ResizeRequest, and Expose events only
  1143.         # keycode field: KeyPress and KeyRelease events only
  1144.         # time field: "valid for events that contain a time field"
  1145.         # width field: Configure, ConfigureRequest, Create, ResizeRequest,
  1146.         # and Expose events only
  1147.         # x field: "valid for events that contain a x field"
  1148.         # y field: "valid for events that contain a y field"
  1149.         # keysym as decimal: KeyPress and KeyRelease events only
  1150.         # x_root, y_root fields: ButtonPress, ButtonRelease, KeyPress,
  1151.         # KeyRelease,and Motion events
  1152.         e.serial = getint(nsign)
  1153.         e.num = getint_event(b)
  1154.         try: e.focus = getboolean(f)
  1155.         except TclError: pass
  1156.         e.height = getint_event(h)
  1157.         e.keycode = getint_event(k)
  1158.         e.state = getint_event(s)
  1159.         e.time = getint_event(t)
  1160.         e.width = getint_event(w)
  1161.         e.x = getint_event(x)
  1162.         e.y = getint_event(y)
  1163.         e.char = A
  1164.         try: e.send_event = getboolean(E)
  1165.         except TclError: pass
  1166.         e.keysym = K
  1167.         e.keysym_num = getint_event(N)
  1168.         e.type = T
  1169.         try:
  1170.             e.widget = self._nametowidget(W)
  1171.         except KeyError:
  1172.             e.widget = W
  1173.         e.x_root = getint_event(X)
  1174.         e.y_root = getint_event(Y)
  1175.         try:
  1176.             e.delta = getint(D)
  1177.         except ValueError:
  1178.             e.delta = 0
  1179.         return (e,)
  1180.     def _report_exception(self):
  1181.         """Internal function."""
  1182.         import sys
  1183.         exc, val, tb = sys.exc_type, sys.exc_value, sys.exc_traceback
  1184.         root = self._root()
  1185.         root.report_callback_exception(exc, val, tb)
  1186.     def _configure(self, cmd, cnf, kw):
  1187.         """Internal function."""
  1188.         if kw:
  1189.             cnf = _cnfmerge((cnf, kw))
  1190.         elif cnf:
  1191.             cnf = _cnfmerge(cnf)
  1192.         if cnf is None:
  1193.             cnf = {}
  1194.             for x in self.tk.split(
  1195.                     self.tk.call(_flatten((self._w, cmd)))):
  1196.                 cnf[x[0][1:]] = (x[0][1:],) + x[1:]
  1197.             return cnf
  1198.         if type(cnf) is StringType:
  1199.             x = self.tk.split(
  1200.                     self.tk.call(_flatten((self._w, cmd, '-'+cnf))))
  1201.             return (x[0][1:],) + x[1:]
  1202.         self.tk.call(_flatten((self._w, cmd)) + self._options(cnf))
  1203.     # These used to be defined in Widget:
  1204.     def configure(self, cnf=None, **kw):
  1205.         """Configure resources of a widget.
  1206.  
  1207.         The values for resources are specified as keyword
  1208.         arguments. To get an overview about
  1209.         the allowed keyword arguments call the method keys.
  1210.         """
  1211.         return self._configure('configure', cnf, kw)
  1212.     config = configure
  1213.     def cget(self, key):
  1214.         """Return the resource value for a KEY given as string."""
  1215.         return self.tk.call(self._w, 'cget', '-' + key)
  1216.     __getitem__ = cget
  1217.     def __setitem__(self, key, value):
  1218.         self.configure({key: value})
  1219.     def keys(self):
  1220.         """Return a list of all resource names of this widget."""
  1221.         return map(lambda x: x[0][1:],
  1222.                self.tk.split(self.tk.call(self._w, 'configure')))
  1223.     def __str__(self):
  1224.         """Return the window path name of this widget."""
  1225.         return self._w
  1226.     # Pack methods that apply to the master
  1227.     _noarg_ = ['_noarg_']
  1228.     def pack_propagate(self, flag=_noarg_):
  1229.         """Set or get the status for propagation of geometry information.
  1230.  
  1231.         A boolean argument specifies whether the geometry information
  1232.         of the slaves will determine the size of this widget. If no argument
  1233.         is given the current setting will be returned.
  1234.         """
  1235.         if flag is Misc._noarg_:
  1236.             return self._getboolean(self.tk.call(
  1237.                 'pack', 'propagate', self._w))
  1238.         else:
  1239.             self.tk.call('pack', 'propagate', self._w, flag)
  1240.     propagate = pack_propagate
  1241.     def pack_slaves(self):
  1242.         """Return a list of all slaves of this widget
  1243.         in its packing order."""
  1244.         return map(self._nametowidget,
  1245.                self.tk.splitlist(
  1246.                    self.tk.call('pack', 'slaves', self._w)))
  1247.     slaves = pack_slaves
  1248.     # Place method that applies to the master
  1249.     def place_slaves(self):
  1250.         """Return a list of all slaves of this widget
  1251.         in its packing order."""
  1252.         return map(self._nametowidget,
  1253.                self.tk.splitlist(
  1254.                    self.tk.call(
  1255.                        'place', 'slaves', self._w)))
  1256.     # Grid methods that apply to the master
  1257.     def grid_bbox(self, column=None, row=None, col2=None, row2=None):
  1258.         """Return a tuple of integer coordinates for the bounding
  1259.         box of this widget controlled by the geometry manager grid.
  1260.  
  1261.         If COLUMN, ROW is given the bounding box applies from
  1262.         the cell with row and column 0 to the specified
  1263.         cell. If COL2 and ROW2 are given the bounding box
  1264.         starts at that cell.
  1265.  
  1266.         The returned integers specify the offset of the upper left
  1267.         corner in the master widget and the width and height.
  1268.         """
  1269.         args = ('grid', 'bbox', self._w)
  1270.         if column is not None and row is not None:
  1271.             args = args + (column, row)
  1272.         if col2 is not None and row2 is not None:
  1273.             args = args + (col2, row2)
  1274.         return self._getints(self.tk.call(*args)) or None
  1275.  
  1276.     bbox = grid_bbox
  1277.     def _grid_configure(self, command, index, cnf, kw):
  1278.         """Internal function."""
  1279.         if type(cnf) is StringType and not kw:
  1280.             if cnf[-1:] == '_':
  1281.                 cnf = cnf[:-1]
  1282.             if cnf[:1] != '-':
  1283.                 cnf = '-'+cnf
  1284.             options = (cnf,)
  1285.         else:
  1286.             options = self._options(cnf, kw)
  1287.         if not options:
  1288.             res = self.tk.call('grid',
  1289.                        command, self._w, index)
  1290.             words = self.tk.splitlist(res)
  1291.             dict = {}
  1292.             for i in range(0, len(words), 2):
  1293.                 key = words[i][1:]
  1294.                 value = words[i+1]
  1295.                 if not value:
  1296.                     value = None
  1297.                 elif '.' in value:
  1298.                     value = getdouble(value)
  1299.                 else:
  1300.                     value = getint(value)
  1301.                 dict[key] = value
  1302.             return dict
  1303.         res = self.tk.call(
  1304.                   ('grid', command, self._w, index)
  1305.                   + options)
  1306.         if len(options) == 1:
  1307.             if not res: return None
  1308.             # In Tk 7.5, -width can be a float
  1309.             if '.' in res: return getdouble(res)
  1310.             return getint(res)
  1311.     def grid_columnconfigure(self, index, cnf={}, **kw):
  1312.         """Configure column INDEX of a grid.
  1313.  
  1314.         Valid resources are minsize (minimum size of the column),
  1315.         weight (how much does additional space propagate to this column)
  1316.         and pad (how much space to let additionally)."""
  1317.         return self._grid_configure('columnconfigure', index, cnf, kw)
  1318.     columnconfigure = grid_columnconfigure
  1319.     def grid_location(self, x, y):
  1320.         """Return a tuple of column and row which identify the cell
  1321.         at which the pixel at position X and Y inside the master
  1322.         widget is located."""
  1323.         return self._getints(
  1324.             self.tk.call(
  1325.                 'grid', 'location', self._w, x, y)) or None
  1326.     def grid_propagate(self, flag=_noarg_):
  1327.         """Set or get the status for propagation of geometry information.
  1328.  
  1329.         A boolean argument specifies whether the geometry information
  1330.         of the slaves will determine the size of this widget. If no argument
  1331.         is given, the current setting will be returned.
  1332.         """
  1333.         if flag is Misc._noarg_:
  1334.             return self._getboolean(self.tk.call(
  1335.                 'grid', 'propagate', self._w))
  1336.         else:
  1337.             self.tk.call('grid', 'propagate', self._w, flag)
  1338.     def grid_rowconfigure(self, index, cnf={}, **kw):
  1339.         """Configure row INDEX of a grid.
  1340.  
  1341.         Valid resources are minsize (minimum size of the row),
  1342.         weight (how much does additional space propagate to this row)
  1343.         and pad (how much space to let additionally)."""
  1344.         return self._grid_configure('rowconfigure', index, cnf, kw)
  1345.     rowconfigure = grid_rowconfigure
  1346.     def grid_size(self):
  1347.         """Return a tuple of the number of column and rows in the grid."""
  1348.         return self._getints(
  1349.             self.tk.call('grid', 'size', self._w)) or None
  1350.     size = grid_size
  1351.     def grid_slaves(self, row=None, column=None):
  1352.         """Return a list of all slaves of this widget
  1353.         in its packing order."""
  1354.         args = ()
  1355.         if row is not None:
  1356.             args = args + ('-row', row)
  1357.         if column is not None:
  1358.             args = args + ('-column', column)
  1359.         return map(self._nametowidget,
  1360.                self.tk.splitlist(self.tk.call(
  1361.                    ('grid', 'slaves', self._w) + args)))
  1362.  
  1363.     # Support for the "event" command, new in Tk 4.2.
  1364.     # By Case Roole.
  1365.  
  1366.     def event_add(self, virtual, *sequences):
  1367.         """Bind a virtual event VIRTUAL (of the form <<Name>>)
  1368.         to an event SEQUENCE such that the virtual event is triggered
  1369.         whenever SEQUENCE occurs."""
  1370.         args = ('event', 'add', virtual) + sequences
  1371.         self.tk.call(args)
  1372.  
  1373.     def event_delete(self, virtual, *sequences):
  1374.         """Unbind a virtual event VIRTUAL from SEQUENCE."""
  1375.         args = ('event', 'delete', virtual) + sequences
  1376.         self.tk.call(args)
  1377.  
  1378.     def event_generate(self, sequence, **kw):
  1379.         """Generate an event SEQUENCE. Additional
  1380.         keyword arguments specify parameter of the event
  1381.         (e.g. x, y, rootx, rooty)."""
  1382.         args = ('event', 'generate', self._w, sequence)
  1383.         for k, v in kw.items():
  1384.             args = args + ('-%s' % k, str(v))
  1385.         self.tk.call(args)
  1386.  
  1387.     def event_info(self, virtual=None):
  1388.         """Return a list of all virtual events or the information
  1389.         about the SEQUENCE bound to the virtual event VIRTUAL."""
  1390.         return self.tk.splitlist(
  1391.             self.tk.call('event', 'info', virtual))
  1392.  
  1393.     # Image related commands
  1394.  
  1395.     def image_names(self):
  1396.         """Return a list of all existing image names."""
  1397.         return self.tk.call('image', 'names')
  1398.  
  1399.     def image_types(self):
  1400.         """Return a list of all available image types (e.g. phote bitmap)."""
  1401.         return self.tk.call('image', 'types')
  1402.  
  1403.  
  1404. class CallWrapper:
  1405.     """Internal class. Stores function to call when some user
  1406.     defined Tcl function is called e.g. after an event occurred."""
  1407.     def __init__(self, func, subst, widget):
  1408.         """Store FUNC, SUBST and WIDGET as members."""
  1409.         self.func = func
  1410.         self.subst = subst
  1411.         self.widget = widget
  1412.     def __call__(self, *args):
  1413.         """Apply first function SUBST to arguments, than FUNC."""
  1414.         try:
  1415.             if self.subst:
  1416.                 args = self.subst(*args)
  1417.             return self.func(*args)
  1418.         except SystemExit, msg:
  1419.             raise SystemExit, msg
  1420.         except:
  1421.             self.widget._report_exception()
  1422.  
  1423.  
  1424. class Wm:
  1425.     """Provides functions for the communication with the window manager."""
  1426.  
  1427.     def wm_aspect(self,
  1428.               minNumer=None, minDenom=None,
  1429.               maxNumer=None, maxDenom=None):
  1430.         """Instruct the window manager to set the aspect ratio (width/height)
  1431.         of this widget to be between MINNUMER/MINDENOM and MAXNUMER/MAXDENOM. Return a tuple
  1432.         of the actual values if no argument is given."""
  1433.         return self._getints(
  1434.             self.tk.call('wm', 'aspect', self._w,
  1435.                      minNumer, minDenom,
  1436.                      maxNumer, maxDenom))
  1437.     aspect = wm_aspect
  1438.  
  1439.     def wm_attributes(self, *args):
  1440.         """This subcommand returns or sets platform specific attributes
  1441.  
  1442.         The first form returns a list of the platform specific flags and
  1443.         their values. The second form returns the value for the specific
  1444.         option. The third form sets one or more of the values. The values
  1445.         are as follows:
  1446.  
  1447.         On Windows, -disabled gets or sets whether the window is in a
  1448.         disabled state. -toolwindow gets or sets the style of the window
  1449.         to toolwindow (as defined in the MSDN). -topmost gets or sets
  1450.         whether this is a topmost window (displays above all other
  1451.         windows).
  1452.  
  1453.         On Macintosh, XXXXX
  1454.  
  1455.         On Unix, there are currently no special attribute values.
  1456.         """
  1457.         args = ('wm', 'attributes', self._w) + args
  1458.         return self.tk.call(args)
  1459.     attributes=wm_attributes
  1460.  
  1461.     def wm_client(self, name=None):
  1462.         """Store NAME in WM_CLIENT_MACHINE property of this widget. Return
  1463.         current value."""
  1464.         return self.tk.call('wm', 'client', self._w, name)
  1465.     client = wm_client
  1466.     def wm_colormapwindows(self, *wlist):
  1467.         """Store list of window names (WLIST) into WM_COLORMAPWINDOWS property
  1468.         of this widget. This list contains windows whose colormaps differ from their
  1469.         parents. Return current list of widgets if WLIST is empty."""
  1470.         if len(wlist) > 1:
  1471.             wlist = (wlist,) # Tk needs a list of windows here
  1472.         args = ('wm', 'colormapwindows', self._w) + wlist
  1473.         return map(self._nametowidget, self.tk.call(args))
  1474.     colormapwindows = wm_colormapwindows
  1475.     def wm_command(self, value=None):
  1476.         """Store VALUE in WM_COMMAND property. It is the command
  1477.         which shall be used to invoke the application. Return current
  1478.         command if VALUE is None."""
  1479.         return self.tk.call('wm', 'command', self._w, value)
  1480.     command = wm_command
  1481.     def wm_deiconify(self):
  1482.         """Deiconify this widget. If it was never mapped it will not be mapped.
  1483.         On Windows it will raise this widget and give it the focus."""
  1484.         return self.tk.call('wm', 'deiconify', self._w)
  1485.     deiconify = wm_deiconify
  1486.     def wm_focusmodel(self, model=None):
  1487.         """Set focus model to MODEL. "active" means that this widget will claim
  1488.         the focus itself, "passive" means that the window manager shall give
  1489.         the focus. Return current focus model if MODEL is None."""
  1490.         return self.tk.call('wm', 'focusmodel', self._w, model)
  1491.     focusmodel = wm_focusmodel
  1492.     def wm_frame(self):
  1493.         """Return identifier for decorative frame of this widget if present."""
  1494.         return self.tk.call('wm', 'frame', self._w)
  1495.     frame = wm_frame
  1496.     def wm_geometry(self, newGeometry=None):
  1497.         """Set geometry to NEWGEOMETRY of the form =widthxheight+x+y. Return
  1498.         current value if None is given."""
  1499.         return self.tk.call('wm', 'geometry', self._w, newGeometry)
  1500.     geometry = wm_geometry
  1501.     def wm_grid(self,
  1502.          baseWidth=None, baseHeight=None,
  1503.          widthInc=None, heightInc=None):
  1504.         """Instruct the window manager that this widget shall only be
  1505.         resized on grid boundaries. WIDTHINC and HEIGHTINC are the width and
  1506.         height of a grid unit in pixels. BASEWIDTH and BASEHEIGHT are the
  1507.         number of grid units requested in Tk_GeometryRequest."""
  1508.         return self._getints(self.tk.call(
  1509.             'wm', 'grid', self._w,
  1510.             baseWidth, baseHeight, widthInc, heightInc))
  1511.     grid = wm_grid
  1512.     def wm_group(self, pathName=None):
  1513.         """Set the group leader widgets for related widgets to PATHNAME. Return
  1514.         the group leader of this widget if None is given."""
  1515.         return self.tk.call('wm', 'group', self._w, pathName)
  1516.     group = wm_group
  1517.     def wm_iconbitmap(self, bitmap=None, default=None):
  1518.         """Set bitmap for the iconified widget to BITMAP. Return
  1519.         the bitmap if None is given.
  1520.  
  1521.         Under Windows, the DEFAULT parameter can be used to set the icon
  1522.         for the widget and any descendents that don't have an icon set
  1523.         explicitly.  DEFAULT can be the relative path to a .ico file
  1524.         (example: root.iconbitmap(default='myicon.ico') ).  See Tk
  1525.         documentation for more information."""
  1526.         if default:
  1527.             return self.tk.call('wm', 'iconbitmap', self._w, '-default', default)
  1528.         else:
  1529.             return self.tk.call('wm', 'iconbitmap', self._w, bitmap)
  1530.     iconbitmap = wm_iconbitmap
  1531.     def wm_iconify(self):
  1532.         """Display widget as icon."""
  1533.         return self.tk.call('wm', 'iconify', self._w)
  1534.     iconify = wm_iconify
  1535.     def wm_iconmask(self, bitmap=None):
  1536.         """Set mask for the icon bitmap of this widget. Return the
  1537.         mask if None is given."""
  1538.         return self.tk.call('wm', 'iconmask', self._w, bitmap)
  1539.     iconmask = wm_iconmask
  1540.     def wm_iconname(self, newName=None):
  1541.         """Set the name of the icon for this widget. Return the name if
  1542.         None is given."""
  1543.         return self.tk.call('wm', 'iconname', self._w, newName)
  1544.     iconname = wm_iconname
  1545.     def wm_iconposition(self, x=None, y=None):
  1546.         """Set the position of the icon of this widget to X and Y. Return
  1547.         a tuple of the current values of X and X if None is given."""
  1548.         return self._getints(self.tk.call(
  1549.             'wm', 'iconposition', self._w, x, y))
  1550.     iconposition = wm_iconposition
  1551.     def wm_iconwindow(self, pathName=None):
  1552.         """Set widget PATHNAME to be displayed instead of icon. Return the current
  1553.         value if None is given."""
  1554.         return self.tk.call('wm', 'iconwindow', self._w, pathName)
  1555.     iconwindow = wm_iconwindow
  1556.     def wm_maxsize(self, width=None, height=None):
  1557.         """Set max WIDTH and HEIGHT for this widget. If the window is gridded
  1558.         the values are given in grid units. Return the current values if None
  1559.         is given."""
  1560.         return self._getints(self.tk.call(
  1561.             'wm', 'maxsize', self._w, width, height))
  1562.     maxsize = wm_maxsize
  1563.     def wm_minsize(self, width=None, height=None):
  1564.         """Set min WIDTH and HEIGHT for this widget. If the window is gridded
  1565.         the values are given in grid units. Return the current values if None
  1566.         is given."""
  1567.         return self._getints(self.tk.call(
  1568.             'wm', 'minsize', self._w, width, height))
  1569.     minsize = wm_minsize
  1570.     def wm_overrideredirect(self, boolean=None):
  1571.         """Instruct the window manager to ignore this widget
  1572.         if BOOLEAN is given with 1. Return the current value if None
  1573.         is given."""
  1574.         return self._getboolean(self.tk.call(
  1575.             'wm', 'overrideredirect', self._w, boolean))
  1576.     overrideredirect = wm_overrideredirect
  1577.     def wm_positionfrom(self, who=None):
  1578.         """Instruct the window manager that the position of this widget shall
  1579.         be defined by the user if WHO is "user", and by its own policy if WHO is
  1580.         "program"."""
  1581.         return self.tk.call('wm', 'positionfrom', self._w, who)
  1582.     positionfrom = wm_positionfrom
  1583.     def wm_protocol(self, name=None, func=None):
  1584.         """Bind function FUNC to command NAME for this widget.
  1585.         Return the function bound to NAME if None is given. NAME could be
  1586.         e.g. "WM_SAVE_YOURSELF" or "WM_DELETE_WINDOW"."""
  1587.         if callable(func):
  1588.             command = self._register(func)
  1589.         else:
  1590.             command = func
  1591.         return self.tk.call(
  1592.             'wm', 'protocol', self._w, name, command)
  1593.     protocol = wm_protocol
  1594.     def wm_resizable(self, width=None, height=None):
  1595.         """Instruct the window manager whether this width can be resized
  1596.         in WIDTH or HEIGHT. Both values are boolean values."""
  1597.         return self.tk.call('wm', 'resizable', self._w, width, height)
  1598.     resizable = wm_resizable
  1599.     def wm_sizefrom(self, who=None):
  1600.         """Instruct the window manager that the size of this widget shall
  1601.         be defined by the user if WHO is "user", and by its own policy if WHO is
  1602.         "program"."""
  1603.         return self.tk.call('wm', 'sizefrom', self._w, who)
  1604.     sizefrom = wm_sizefrom
  1605.     def wm_state(self, newstate=None):
  1606.         """Query or set the state of this widget as one of normal, icon,
  1607.         iconic (see wm_iconwindow), withdrawn, or zoomed (Windows only)."""
  1608.         return self.tk.call('wm', 'state', self._w, newstate)
  1609.     state = wm_state
  1610.     def wm_title(self, string=None):
  1611.         """Set the title of this widget."""
  1612.         return self.tk.call('wm', 'title', self._w, string)
  1613.     title = wm_title
  1614.     def wm_transient(self, master=None):
  1615.         """Instruct the window manager that this widget is transient
  1616.         with regard to widget MASTER."""
  1617.         return self.tk.call('wm', 'transient', self._w, master)
  1618.     transient = wm_transient
  1619.     def wm_withdraw(self):
  1620.         """Withdraw this widget from the screen such that it is unmapped
  1621.         and forgotten by the window manager. Re-draw it with wm_deiconify."""
  1622.         return self.tk.call('wm', 'withdraw', self._w)
  1623.     withdraw = wm_withdraw
  1624.  
  1625.  
  1626. class Tk(Misc, Wm):
  1627.     """Toplevel widget of Tk which represents mostly the main window
  1628.     of an appliation. It has an associated Tcl interpreter."""
  1629.     _w = '.'
  1630.     def __init__(self, screenName=None, baseName=None, className='Tk',
  1631.                  useTk=1, sync=0, use=None):
  1632.         """Return a new Toplevel widget on screen SCREENNAME. A new Tcl interpreter will
  1633.         be created. BASENAME will be used for the identification of the profile file (see
  1634.         readprofile).
  1635.         It is constructed from sys.argv[0] without extensions if None is given. CLASSNAME
  1636.         is the name of the widget class."""
  1637.         self.master = None
  1638.         self.children = {}
  1639.         self._tkloaded = 0
  1640.         # to avoid recursions in the getattr code in case of failure, we
  1641.         # ensure that self.tk is always _something_.
  1642.         self.tk = None
  1643.         if baseName is None:
  1644.             import sys, os
  1645.             baseName = os.path.basename(sys.argv[0])
  1646.             baseName, ext = os.path.splitext(baseName)
  1647.             if ext not in ('.py', '.pyc', '.pyo'):
  1648.                 baseName = baseName + ext
  1649.         interactive = 0
  1650.         self.tk = _tkinter.create(screenName, baseName, className, interactive, wantobjects, useTk, sync, use)
  1651.         if useTk:
  1652.             self._loadtk()
  1653.         self.readprofile(baseName, className)
  1654.     def loadtk(self):
  1655.         if not self._tkloaded:
  1656.             self.tk.loadtk()
  1657.             self._loadtk()
  1658.     def _loadtk(self):
  1659.         self._tkloaded = 1
  1660.         global _default_root
  1661.         if _MacOS and hasattr(_MacOS, 'SchedParams'):
  1662.             # Disable event scanning except for Command-Period
  1663.             _MacOS.SchedParams(1, 0)
  1664.             # Work around nasty MacTk bug
  1665.             # XXX Is this one still needed?
  1666.             self.update()
  1667.         # Version sanity checks
  1668.         tk_version = self.tk.getvar('tk_version')
  1669.         if tk_version != _tkinter.TK_VERSION:
  1670.             raise RuntimeError, \
  1671.             "tk.h version (%s) doesn't match libtk.a version (%s)" \
  1672.             % (_tkinter.TK_VERSION, tk_version)
  1673.         # Under unknown circumstances, tcl_version gets coerced to float
  1674.         tcl_version = str(self.tk.getvar('tcl_version'))
  1675.         if tcl_version != _tkinter.TCL_VERSION:
  1676.             raise RuntimeError, \
  1677.             "tcl.h version (%s) doesn't match libtcl.a version (%s)" \
  1678.             % (_tkinter.TCL_VERSION, tcl_version)
  1679.         if TkVersion < 4.0:
  1680.             raise RuntimeError, \
  1681.             "Tk 4.0 or higher is required; found Tk %s" \
  1682.             % str(TkVersion)
  1683.         # Create and register the tkerror and exit commands
  1684.         # We need to inline parts of _register here, _ register
  1685.         # would register differently-named commands.
  1686.         if self._tclCommands is None:
  1687.             self._tclCommands = []
  1688.         self.tk.createcommand('tkerror', _tkerror)
  1689.         self.tk.createcommand('exit', _exit)
  1690.         self._tclCommands.append('tkerror')
  1691.         self._tclCommands.append('exit')
  1692.         if _support_default_root and not _default_root:
  1693.             _default_root = self
  1694.         self.protocol("WM_DELETE_WINDOW", self.destroy)
  1695.     def destroy(self):
  1696.         """Destroy this and all descendants widgets. This will
  1697.         end the application of this Tcl interpreter."""
  1698.         for c in self.children.values(): c.destroy()
  1699.         self.tk.call('destroy', self._w)
  1700.         Misc.destroy(self)
  1701.         global _default_root
  1702.         if _support_default_root and _default_root is self:
  1703.             _default_root = None
  1704.     def readprofile(self, baseName, className):
  1705.         """Internal function. It reads BASENAME.tcl and CLASSNAME.tcl into
  1706.         the Tcl Interpreter and calls execfile on BASENAME.py and CLASSNAME.py if
  1707.         such a file exists in the home directory."""
  1708.         import os
  1709.         if os.environ.has_key('HOME'): home = os.environ['HOME']
  1710.         else: home = os.curdir
  1711.         class_tcl = os.path.join(home, '.%s.tcl' % className)
  1712.         class_py = os.path.join(home, '.%s.py' % className)
  1713.         base_tcl = os.path.join(home, '.%s.tcl' % baseName)
  1714.         base_py = os.path.join(home, '.%s.py' % baseName)
  1715.         dir = {'self': self}
  1716.         exec 'from Tkinter import *' in dir
  1717.         if os.path.isfile(class_tcl):
  1718.             self.tk.call('source', class_tcl)
  1719.         if os.path.isfile(class_py):
  1720.             execfile(class_py, dir)
  1721.         if os.path.isfile(base_tcl):
  1722.             self.tk.call('source', base_tcl)
  1723.         if os.path.isfile(base_py):
  1724.             execfile(base_py, dir)
  1725.     def report_callback_exception(self, exc, val, tb):
  1726.         """Internal function. It reports exception on sys.stderr."""
  1727.         import traceback, sys
  1728.         sys.stderr.write("Exception in Tkinter callback\n")
  1729.         sys.last_type = exc
  1730.         sys.last_value = val
  1731.         sys.last_traceback = tb
  1732.         traceback.print_exception(exc, val, tb)
  1733.     def __getattr__(self, attr):
  1734.         "Delegate attribute access to the interpreter object"
  1735.         return getattr(self.tk, attr)
  1736.  
  1737. # Ideally, the classes Pack, Place and Grid disappear, the
  1738. # pack/place/grid methods are defined on the Widget class, and
  1739. # everybody uses w.pack_whatever(...) instead of Pack.whatever(w,
  1740. # ...), with pack(), place() and grid() being short for
  1741. # pack_configure(), place_configure() and grid_columnconfigure(), and
  1742. # forget() being short for pack_forget().  As a practical matter, I'm
  1743. # afraid that there is too much code out there that may be using the
  1744. # Pack, Place or Grid class, so I leave them intact -- but only as
  1745. # backwards compatibility features.  Also note that those methods that
  1746. # take a master as argument (e.g. pack_propagate) have been moved to
  1747. # the Misc class (which now incorporates all methods common between
  1748. # toplevel and interior widgets).  Again, for compatibility, these are
  1749. # copied into the Pack, Place or Grid class.
  1750.  
  1751.  
  1752. def Tcl(screenName=None, baseName=None, className='Tk', useTk=0):
  1753.     return Tk(screenName, baseName, className, useTk)
  1754.  
  1755. class Pack:
  1756.     """Geometry manager Pack.
  1757.  
  1758.     Base class to use the methods pack_* in every widget."""
  1759.     def pack_configure(self, cnf={}, **kw):
  1760.         """Pack a widget in the parent widget. Use as options:
  1761.         after=widget - pack it after you have packed widget
  1762.         anchor=NSEW (or subset) - position widget according to
  1763.                                   given direction
  1764.         before=widget - pack it before you will pack widget
  1765.         expand=bool - expand widget if parent size grows
  1766.         fill=NONE or X or Y or BOTH - fill widget if widget grows
  1767.         in=master - use master to contain this widget
  1768.         in_=master - see 'in' option description
  1769.         ipadx=amount - add internal padding in x direction
  1770.         ipady=amount - add internal padding in y direction
  1771.         padx=amount - add padding in x direction
  1772.         pady=amount - add padding in y direction
  1773.         side=TOP or BOTTOM or LEFT or RIGHT -  where to add this widget.
  1774.         """
  1775.         self.tk.call(
  1776.               ('pack', 'configure', self._w)
  1777.               + self._options(cnf, kw))
  1778.     pack = configure = config = pack_configure
  1779.     def pack_forget(self):
  1780.         """Unmap this widget and do not use it for the packing order."""
  1781.         self.tk.call('pack', 'forget', self._w)
  1782.     forget = pack_forget
  1783.     def pack_info(self):
  1784.         """Return information about the packing options
  1785.         for this widget."""
  1786.         words = self.tk.splitlist(
  1787.             self.tk.call('pack', 'info', self._w))
  1788.         dict = {}
  1789.         for i in range(0, len(words), 2):
  1790.             key = words[i][1:]
  1791.             value = words[i+1]
  1792.             if value[:1] == '.':
  1793.                 value = self._nametowidget(value)
  1794.             dict[key] = value
  1795.         return dict
  1796.     info = pack_info
  1797.     propagate = pack_propagate = Misc.pack_propagate
  1798.     slaves = pack_slaves = Misc.pack_slaves
  1799.  
  1800. class Place:
  1801.     """Geometry manager Place.
  1802.  
  1803.     Base class to use the methods place_* in every widget."""
  1804.     def place_configure(self, cnf={}, **kw):
  1805.         """Place a widget in the parent widget. Use as options:
  1806.         in=master - master relative to which the widget is placed
  1807.         in_=master - see 'in' option description
  1808.         x=amount - locate anchor of this widget at position x of master
  1809.         y=amount - locate anchor of this widget at position y of master
  1810.         relx=amount - locate anchor of this widget between 0.0 and 1.0
  1811.                       relative to width of master (1.0 is right edge)
  1812.         rely=amount - locate anchor of this widget between 0.0 and 1.0
  1813.                       relative to height of master (1.0 is bottom edge)
  1814.         anchor=NSEW (or subset) - position anchor according to given direction
  1815.         width=amount - width of this widget in pixel
  1816.         height=amount - height of this widget in pixel
  1817.         relwidth=amount - width of this widget between 0.0 and 1.0
  1818.                           relative to width of master (1.0 is the same width
  1819.                           as the master)
  1820.         relheight=amount - height of this widget between 0.0 and 1.0
  1821.                            relative to height of master (1.0 is the same
  1822.                            height as the master)
  1823.         bordermode="inside" or "outside" - whether to take border width of
  1824.                                            master widget into account
  1825.         """
  1826.         self.tk.call(
  1827.               ('place', 'configure', self._w)
  1828.               + self._options(cnf, kw))
  1829.     place = configure = config = place_configure
  1830.     def place_forget(self):
  1831.         """Unmap this widget."""
  1832.         self.tk.call('place', 'forget', self._w)
  1833.     forget = place_forget
  1834.     def place_info(self):
  1835.         """Return information about the placing options
  1836.         for this widget."""
  1837.         words = self.tk.splitlist(
  1838.             self.tk.call('place', 'info', self._w))
  1839.         dict = {}
  1840.         for i in range(0, len(words), 2):
  1841.             key = words[i][1:]
  1842.             value = words[i+1]
  1843.             if value[:1] == '.':
  1844.                 value = self._nametowidget(value)
  1845.             dict[key] = value
  1846.         return dict
  1847.     info = place_info
  1848.     slaves = place_slaves = Misc.place_slaves
  1849.  
  1850. class Grid:
  1851.     """Geometry manager Grid.
  1852.  
  1853.     Base class to use the methods grid_* in every widget."""
  1854.     # Thanks to Masazumi Yoshikawa (yosikawa@isi.edu)
  1855.     def grid_configure(self, cnf={}, **kw):
  1856.         """Position a widget in the parent widget in a grid. Use as options:
  1857.         column=number - use cell identified with given column (starting with 0)
  1858.         columnspan=number - this widget will span several columns
  1859.         in=master - use master to contain this widget
  1860.         in_=master - see 'in' option description
  1861.         ipadx=amount - add internal padding in x direction
  1862.         ipady=amount - add internal padding in y direction
  1863.         padx=amount - add padding in x direction
  1864.         pady=amount - add padding in y direction
  1865.         row=number - use cell identified with given row (starting with 0)
  1866.         rowspan=number - this widget will span several rows
  1867.         sticky=NSEW - if cell is larger on which sides will this
  1868.                       widget stick to the cell boundary
  1869.         """
  1870.         self.tk.call(
  1871.               ('grid', 'configure', self._w)
  1872.               + self._options(cnf, kw))
  1873.     grid = configure = config = grid_configure
  1874.     bbox = grid_bbox = Misc.grid_bbox
  1875.     columnconfigure = grid_columnconfigure = Misc.grid_columnconfigure
  1876.     def grid_forget(self):
  1877.         """Unmap this widget."""
  1878.         self.tk.call('grid', 'forget', self._w)
  1879.     forget = grid_forget
  1880.     def grid_remove(self):
  1881.         """Unmap this widget but remember the grid options."""
  1882.         self.tk.call('grid', 'remove', self._w)
  1883.     def grid_info(self):
  1884.         """Return information about the options
  1885.         for positioning this widget in a grid."""
  1886.         words = self.tk.splitlist(
  1887.             self.tk.call('grid', 'info', self._w))
  1888.         dict = {}
  1889.         for i in range(0, len(words), 2):
  1890.             key = words[i][1:]
  1891.             value = words[i+1]
  1892.             if value[:1] == '.':
  1893.                 value = self._nametowidget(value)
  1894.             dict[key] = value
  1895.         return dict
  1896.     info = grid_info
  1897.     location = grid_location = Misc.grid_location
  1898.     propagate = grid_propagate = Misc.grid_propagate
  1899.     rowconfigure = grid_rowconfigure = Misc.grid_rowconfigure
  1900.     size = grid_size = Misc.grid_size
  1901.     slaves = grid_slaves = Misc.grid_slaves
  1902.  
  1903. class BaseWidget(Misc):
  1904.     """Internal class."""
  1905.     def _setup(self, master, cnf):
  1906.         """Internal function. Sets up information about children."""
  1907.         if _support_default_root:
  1908.             global _default_root
  1909.             if not master:
  1910.                 if not _default_root:
  1911.                     _default_root = Tk()
  1912.                 master = _default_root
  1913.         self.master = master
  1914.         self.tk = master.tk
  1915.         name = None
  1916.         if cnf.has_key('name'):
  1917.             name = cnf['name']
  1918.             del cnf['name']
  1919.         if not name:
  1920.             name = repr(id(self))
  1921.         self._name = name
  1922.         if master._w=='.':
  1923.             self._w = '.' + name
  1924.         else:
  1925.             self._w = master._w + '.' + name
  1926.         self.children = {}
  1927.         if self.master.children.has_key(self._name):
  1928.             self.master.children[self._name].destroy()
  1929.         self.master.children[self._name] = self
  1930.     def __init__(self, master, widgetName, cnf={}, kw={}, extra=()):
  1931.         """Construct a widget with the parent widget MASTER, a name WIDGETNAME
  1932.         and appropriate options."""
  1933.         if kw:
  1934.             cnf = _cnfmerge((cnf, kw))
  1935.         self.widgetName = widgetName
  1936.         BaseWidget._setup(self, master, cnf)
  1937.         classes = []
  1938.         for k in cnf.keys():
  1939.             if type(k) is ClassType:
  1940.                 classes.append((k, cnf[k]))
  1941.                 del cnf[k]
  1942.         self.tk.call(
  1943.             (widgetName, self._w) + extra + self._options(cnf))
  1944.         for k, v in classes:
  1945.             k.configure(self, v)
  1946.     def destroy(self):
  1947.         """Destroy this and all descendants widgets."""
  1948.         for c in self.children.values(): c.destroy()
  1949.         self.tk.call('destroy', self._w)
  1950.         if self.master.children.has_key(self._name):
  1951.             del self.master.children[self._name]
  1952.         Misc.destroy(self)
  1953.     def _do(self, name, args=()):
  1954.         # XXX Obsolete -- better use self.tk.call directly!
  1955.         return self.tk.call((self._w, name) + args)
  1956.  
  1957. class Widget(BaseWidget, Pack, Place, Grid):
  1958.     """Internal class.
  1959.  
  1960.     Base class for a widget which can be positioned with the geometry managers
  1961.     Pack, Place or Grid."""
  1962.     pass
  1963.  
  1964. class Toplevel(BaseWidget, Wm):
  1965.     """Toplevel widget, e.g. for dialogs."""
  1966.     def __init__(self, master=None, cnf={}, **kw):
  1967.         """Construct a toplevel widget with the parent MASTER.
  1968.  
  1969.         Valid resource names: background, bd, bg, borderwidth, class,
  1970.         colormap, container, cursor, height, highlightbackground,
  1971.         highlightcolor, highlightthickness, menu, relief, screen, takefocus,
  1972.         use, visual, width."""
  1973.         if kw:
  1974.             cnf = _cnfmerge((cnf, kw))
  1975.         extra = ()
  1976.         for wmkey in ['screen', 'class_', 'class', 'visual',
  1977.                   'colormap']:
  1978.             if cnf.has_key(wmkey):
  1979.                 val = cnf[wmkey]
  1980.                 # TBD: a hack needed because some keys
  1981.                 # are not valid as keyword arguments
  1982.                 if wmkey[-1] == '_': opt = '-'+wmkey[:-1]
  1983.                 else: opt = '-'+wmkey
  1984.                 extra = extra + (opt, val)
  1985.                 del cnf[wmkey]
  1986.         BaseWidget.__init__(self, master, 'toplevel', cnf, {}, extra)
  1987.         root = self._root()
  1988.         self.iconname(root.iconname())
  1989.         self.title(root.title())
  1990.         self.protocol("WM_DELETE_WINDOW", self.destroy)
  1991.  
  1992. class Button(Widget):
  1993.     """Button widget."""
  1994.     def __init__(self, master=None, cnf={}, **kw):
  1995.         """Construct a button widget with the parent MASTER.
  1996.  
  1997.         STANDARD OPTIONS
  1998.  
  1999.             activebackground, activeforeground, anchor,
  2000.             background, bitmap, borderwidth, cursor,
  2001.             disabledforeground, font, foreground
  2002.             highlightbackground, highlightcolor,
  2003.             highlightthickness, image, justify,
  2004.             padx, pady, relief, repeatdelay,
  2005.             repeatinterval, takefocus, text,
  2006.             textvariable, underline, wraplength
  2007.  
  2008.         WIDGET-SPECIFIC OPTIONS
  2009.  
  2010.             command, compound, default, height,
  2011.             overrelief, state, width
  2012.         """
  2013.         Widget.__init__(self, master, 'button', cnf, kw)
  2014.  
  2015.     def tkButtonEnter(self, *dummy):
  2016.         self.tk.call('tkButtonEnter', self._w)
  2017.  
  2018.     def tkButtonLeave(self, *dummy):
  2019.         self.tk.call('tkButtonLeave', self._w)
  2020.  
  2021.     def tkButtonDown(self, *dummy):
  2022.         self.tk.call('tkButtonDown', self._w)
  2023.  
  2024.     def tkButtonUp(self, *dummy):
  2025.         self.tk.call('tkButtonUp', self._w)
  2026.  
  2027.     def tkButtonInvoke(self, *dummy):
  2028.         self.tk.call('tkButtonInvoke', self._w)
  2029.  
  2030.     def flash(self):
  2031.         """Flash the button.
  2032.  
  2033.         This is accomplished by redisplaying
  2034.         the button several times, alternating between active and
  2035.         normal colors. At the end of the flash the button is left
  2036.         in the same normal/active state as when the command was
  2037.         invoked. This command is ignored if the button's state is
  2038.         disabled.
  2039.         """
  2040.         self.tk.call(self._w, 'flash')
  2041.  
  2042.     def invoke(self):
  2043.         """Invoke the command associated with the button.
  2044.  
  2045.         The return value is the return value from the command,
  2046.         or an empty string if there is no command associated with
  2047.         the button. This command is ignored if the button's state
  2048.         is disabled.
  2049.         """
  2050.         return self.tk.call(self._w, 'invoke')
  2051.  
  2052. # Indices:
  2053. # XXX I don't like these -- take them away
  2054. def AtEnd():
  2055.     return 'end'
  2056. def AtInsert(*args):
  2057.     s = 'insert'
  2058.     for a in args:
  2059.         if a: s = s + (' ' + a)
  2060.     return s
  2061. def AtSelFirst():
  2062.     return 'sel.first'
  2063. def AtSelLast():
  2064.     return 'sel.last'
  2065. def At(x, y=None):
  2066.     if y is None:
  2067.         return '@%r' % (x,)
  2068.     else:
  2069.         return '@%r,%r' % (x, y)
  2070.  
  2071. class Canvas(Widget):
  2072.     """Canvas widget to display graphical elements like lines or text."""
  2073.     def __init__(self, master=None, cnf={}, **kw):
  2074.         """Construct a canvas widget with the parent MASTER.
  2075.  
  2076.         Valid resource names: background, bd, bg, borderwidth, closeenough,
  2077.         confine, cursor, height, highlightbackground, highlightcolor,
  2078.         highlightthickness, insertbackground, insertborderwidth,
  2079.         insertofftime, insertontime, insertwidth, offset, relief,
  2080.         scrollregion, selectbackground, selectborderwidth, selectforeground,
  2081.         state, takefocus, width, xscrollcommand, xscrollincrement,
  2082.         yscrollcommand, yscrollincrement."""
  2083.         Widget.__init__(self, master, 'canvas', cnf, kw)
  2084.     def addtag(self, *args):
  2085.         """Internal function."""
  2086.         self.tk.call((self._w, 'addtag') + args)
  2087.     def addtag_above(self, newtag, tagOrId):
  2088.         """Add tag NEWTAG to all items above TAGORID."""
  2089.         self.addtag(newtag, 'above', tagOrId)
  2090.     def addtag_all(self, newtag):
  2091.         """Add tag NEWTAG to all items."""
  2092.         self.addtag(newtag, 'all')
  2093.     def addtag_below(self, newtag, tagOrId):
  2094.         """Add tag NEWTAG to all items below TAGORID."""
  2095.         self.addtag(newtag, 'below', tagOrId)
  2096.     def addtag_closest(self, newtag, x, y, halo=None, start=None):
  2097.         """Add tag NEWTAG to item which is closest to pixel at X, Y.
  2098.         If several match take the top-most.
  2099.         All items closer than HALO are considered overlapping (all are
  2100.         closests). If START is specified the next below this tag is taken."""
  2101.         self.addtag(newtag, 'closest', x, y, halo, start)
  2102.     def addtag_enclosed(self, newtag, x1, y1, x2, y2):
  2103.         """Add tag NEWTAG to all items in the rectangle defined
  2104.         by X1,Y1,X2,Y2."""
  2105.         self.addtag(newtag, 'enclosed', x1, y1, x2, y2)
  2106.     def addtag_overlapping(self, newtag, x1, y1, x2, y2):
  2107.         """Add tag NEWTAG to all items which overlap the rectangle
  2108.         defined by X1,Y1,X2,Y2."""
  2109.         self.addtag(newtag, 'overlapping', x1, y1, x2, y2)
  2110.     def addtag_withtag(self, newtag, tagOrId):
  2111.         """Add tag NEWTAG to all items with TAGORID."""
  2112.         self.addtag(newtag, 'withtag', tagOrId)
  2113.     def bbox(self, *args):
  2114.         """Return a tuple of X1,Y1,X2,Y2 coordinates for a rectangle
  2115.         which encloses all items with tags specified as arguments."""
  2116.         return self._getints(
  2117.             self.tk.call((self._w, 'bbox') + args)) or None
  2118.     def tag_unbind(self, tagOrId, sequence, funcid=None):
  2119.         """Unbind for all items with TAGORID for event SEQUENCE  the
  2120.         function identified with FUNCID."""
  2121.         self.tk.call(self._w, 'bind', tagOrId, sequence, '')
  2122.         if funcid:
  2123.             self.deletecommand(funcid)
  2124.     def tag_bind(self, tagOrId, sequence=None, func=None, add=None):
  2125.         """Bind to all items with TAGORID at event SEQUENCE a call to function FUNC.
  2126.  
  2127.         An additional boolean parameter ADD specifies whether FUNC will be
  2128.         called additionally to the other bound function or whether it will
  2129.         replace the previous function. See bind for the return value."""
  2130.         return self._bind((self._w, 'bind', tagOrId),
  2131.                   sequence, func, add)
  2132.     def canvasx(self, screenx, gridspacing=None):
  2133.         """Return the canvas x coordinate of pixel position SCREENX rounded
  2134.         to nearest multiple of GRIDSPACING units."""
  2135.         return getdouble(self.tk.call(
  2136.             self._w, 'canvasx', screenx, gridspacing))
  2137.     def canvasy(self, screeny, gridspacing=None):
  2138.         """Return the canvas y coordinate of pixel position SCREENY rounded
  2139.         to nearest multiple of GRIDSPACING units."""
  2140.         return getdouble(self.tk.call(
  2141.             self._w, 'canvasy', screeny, gridspacing))
  2142.     def coords(self, *args):
  2143.         """Return a list of coordinates for the item given in ARGS."""
  2144.         # XXX Should use _flatten on args
  2145.         return map(getdouble,
  2146.                            self.tk.splitlist(
  2147.                    self.tk.call((self._w, 'coords') + args)))
  2148.     def _create(self, itemType, args, kw): # Args: (val, val, ..., cnf={})
  2149.         """Internal function."""
  2150.         args = _flatten(args)
  2151.         cnf = args[-1]
  2152.         if type(cnf) in (DictionaryType, TupleType):
  2153.             args = args[:-1]
  2154.         else:
  2155.             cnf = {}
  2156.         return getint(self.tk.call(
  2157.             self._w, 'create', itemType,
  2158.             *(args + self._options(cnf, kw))))
  2159.     def create_arc(self, *args, **kw):
  2160.         """Create arc shaped region with coordinates x1,y1,x2,y2."""
  2161.         return self._create('arc', args, kw)
  2162.     def create_bitmap(self, *args, **kw):
  2163.         """Create bitmap with coordinates x1,y1."""
  2164.         return self._create('bitmap', args, kw)
  2165.     def create_image(self, *args, **kw):
  2166.         """Create image item with coordinates x1,y1."""
  2167.         return self._create('image', args, kw)
  2168.     def create_line(self, *args, **kw):
  2169.         """Create line with coordinates x1,y1,...,xn,yn."""
  2170.         return self._create('line', args, kw)
  2171.     def create_oval(self, *args, **kw):
  2172.         """Create oval with coordinates x1,y1,x2,y2."""
  2173.         return self._create('oval', args, kw)
  2174.     def create_polygon(self, *args, **kw):
  2175.         """Create polygon with coordinates x1,y1,...,xn,yn."""
  2176.         return self._create('polygon', args, kw)
  2177.     def create_rectangle(self, *args, **kw):
  2178.         """Create rectangle with coordinates x1,y1,x2,y2."""
  2179.         return self._create('rectangle', args, kw)
  2180.     def create_text(self, *args, **kw):
  2181.         """Create text with coordinates x1,y1."""
  2182.         return self._create('text', args, kw)
  2183.     def create_window(self, *args, **kw):
  2184.         """Create window with coordinates x1,y1,x2,y2."""
  2185.         return self._create('window', args, kw)
  2186.     def dchars(self, *args):
  2187.         """Delete characters of text items identified by tag or id in ARGS (possibly
  2188.         several times) from FIRST to LAST character (including)."""
  2189.         self.tk.call((self._w, 'dchars') + args)
  2190.     def delete(self, *args):
  2191.         """Delete items identified by all tag or ids contained in ARGS."""
  2192.         self.tk.call((self._w, 'delete') + args)
  2193.     def dtag(self, *args):
  2194.         """Delete tag or id given as last arguments in ARGS from items
  2195.         identified by first argument in ARGS."""
  2196.         self.tk.call((self._w, 'dtag') + args)
  2197.     def find(self, *args):
  2198.         """Internal function."""
  2199.         return self._getints(
  2200.             self.tk.call((self._w, 'find') + args)) or ()
  2201.     def find_above(self, tagOrId):
  2202.         """Return items above TAGORID."""
  2203.         return self.find('above', tagOrId)
  2204.     def find_all(self):
  2205.         """Return all items."""
  2206.         return self.find('all')
  2207.     def find_below(self, tagOrId):
  2208.         """Return all items below TAGORID."""
  2209.         return self.find('below', tagOrId)
  2210.     def find_closest(self, x, y, halo=None, start=None):
  2211.         """Return item which is closest to pixel at X, Y.
  2212.         If several match take the top-most.
  2213.         All items closer than HALO are considered overlapping (all are
  2214.         closests). If START is specified the next below this tag is taken."""
  2215.         return self.find('closest', x, y, halo, start)
  2216.     def find_enclosed(self, x1, y1, x2, y2):
  2217.         """Return all items in rectangle defined
  2218.         by X1,Y1,X2,Y2."""
  2219.         return self.find('enclosed', x1, y1, x2, y2)
  2220.     def find_overlapping(self, x1, y1, x2, y2):
  2221.         """Return all items which overlap the rectangle
  2222.         defined by X1,Y1,X2,Y2."""
  2223.         return self.find('overlapping', x1, y1, x2, y2)
  2224.     def find_withtag(self, tagOrId):
  2225.         """Return all items with TAGORID."""
  2226.         return self.find('withtag', tagOrId)
  2227.     def focus(self, *args):
  2228.         """Set focus to the first item specified in ARGS."""
  2229.         return self.tk.call((self._w, 'focus') + args)
  2230.     def gettags(self, *args):
  2231.         """Return tags associated with the first item specified in ARGS."""
  2232.         return self.tk.splitlist(
  2233.             self.tk.call((self._w, 'gettags') + args))
  2234.     def icursor(self, *args):
  2235.         """Set cursor at position POS in the item identified by TAGORID.
  2236.         In ARGS TAGORID must be first."""
  2237.         self.tk.call((self._w, 'icursor') + args)
  2238.     def index(self, *args):
  2239.         """Return position of cursor as integer in item specified in ARGS."""
  2240.         return getint(self.tk.call((self._w, 'index') + args))
  2241.     def insert(self, *args):
  2242.         """Insert TEXT in item TAGORID at position POS. ARGS must
  2243.         be TAGORID POS TEXT."""
  2244.         self.tk.call((self._w, 'insert') + args)
  2245.     def itemcget(self, tagOrId, option):
  2246.         """Return the resource value for an OPTION for item TAGORID."""
  2247.         return self.tk.call(
  2248.             (self._w, 'itemcget') + (tagOrId, '-'+option))
  2249.     def itemconfigure(self, tagOrId, cnf=None, **kw):
  2250.         """Configure resources of an item TAGORID.
  2251.  
  2252.         The values for resources are specified as keyword
  2253.         arguments. To get an overview about
  2254.         the allowed keyword arguments call the method without arguments.
  2255.         """
  2256.         return self._configure(('itemconfigure', tagOrId), cnf, kw)
  2257.     itemconfig = itemconfigure
  2258.     # lower, tkraise/lift hide Misc.lower, Misc.tkraise/lift,
  2259.     # so the preferred name for them is tag_lower, tag_raise
  2260.     # (similar to tag_bind, and similar to the Text widget);
  2261.     # unfortunately can't delete the old ones yet (maybe in 1.6)
  2262.     def tag_lower(self, *args):
  2263.         """Lower an item TAGORID given in ARGS
  2264.         (optional below another item)."""
  2265.         self.tk.call((self._w, 'lower') + args)
  2266.     lower = tag_lower
  2267.     def move(self, *args):
  2268.         """Move an item TAGORID given in ARGS."""
  2269.         self.tk.call((self._w, 'move') + args)
  2270.     def postscript(self, cnf={}, **kw):
  2271.         """Print the contents of the canvas to a postscript
  2272.         file. Valid options: colormap, colormode, file, fontmap,
  2273.         height, pageanchor, pageheight, pagewidth, pagex, pagey,
  2274.         rotate, witdh, x, y."""
  2275.         return self.tk.call((self._w, 'postscript') +
  2276.                     self._options(cnf, kw))
  2277.     def tag_raise(self, *args):
  2278.         """Raise an item TAGORID given in ARGS
  2279.         (optional above another item)."""
  2280.         self.tk.call((self._w, 'raise') + args)
  2281.     lift = tkraise = tag_raise
  2282.     def scale(self, *args):
  2283.         """Scale item TAGORID with XORIGIN, YORIGIN, XSCALE, YSCALE."""
  2284.         self.tk.call((self._w, 'scale') + args)
  2285.     def scan_mark(self, x, y):
  2286.         """Remember the current X, Y coordinates."""
  2287.         self.tk.call(self._w, 'scan', 'mark', x, y)
  2288.     def scan_dragto(self, x, y, gain=10):
  2289.         """Adjust the view of the canvas to GAIN times the
  2290.         difference between X and Y and the coordinates given in
  2291.         scan_mark."""
  2292.         self.tk.call(self._w, 'scan', 'dragto', x, y, gain)
  2293.     def select_adjust(self, tagOrId, index):
  2294.         """Adjust the end of the selection near the cursor of an item TAGORID to index."""
  2295.         self.tk.call(self._w, 'select', 'adjust', tagOrId, index)
  2296.     def select_clear(self):
  2297.         """Clear the selection if it is in this widget."""
  2298.         self.tk.call(self._w, 'select', 'clear')
  2299.     def select_from(self, tagOrId, index):
  2300.         """Set the fixed end of a selection in item TAGORID to INDEX."""
  2301.         self.tk.call(self._w, 'select', 'from', tagOrId, index)
  2302.     def select_item(self):
  2303.         """Return the item which has the selection."""
  2304.         return self.tk.call(self._w, 'select', 'item') or None
  2305.     def select_to(self, tagOrId, index):
  2306.         """Set the variable end of a selection in item TAGORID to INDEX."""
  2307.         self.tk.call(self._w, 'select', 'to', tagOrId, index)
  2308.     def type(self, tagOrId):
  2309.         """Return the type of the item TAGORID."""
  2310.         return self.tk.call(self._w, 'type', tagOrId) or None
  2311.     def xview(self, *args):
  2312.         """Query and change horizontal position of the view."""
  2313.         if not args:
  2314.             return self._getdoubles(self.tk.call(self._w, 'xview'))
  2315.         self.tk.call((self._w, 'xview') + args)
  2316.     def xview_moveto(self, fraction):
  2317.         """Adjusts the view in the window so that FRACTION of the
  2318.         total width of the canvas is off-screen to the left."""
  2319.         self.tk.call(self._w, 'xview', 'moveto', fraction)
  2320.     def xview_scroll(self, number, what):
  2321.         """Shift the x-view according to NUMBER which is measured in "units" or "pages" (WHAT)."""
  2322.         self.tk.call(self._w, 'xview', 'scroll', number, what)
  2323.     def yview(self, *args):
  2324.         """Query and change vertical position of the view."""
  2325.         if not args:
  2326.             return self._getdoubles(self.tk.call(self._w, 'yview'))
  2327.         self.tk.call((self._w, 'yview') + args)
  2328.     def yview_moveto(self, fraction):
  2329.         """Adjusts the view in the window so that FRACTION of the
  2330.         total height of the canvas is off-screen to the top."""
  2331.         self.tk.call(self._w, 'yview', 'moveto', fraction)
  2332.     def yview_scroll(self, number, what):
  2333.         """Shift the y-view according to NUMBER which is measured in "units" or "pages" (WHAT)."""
  2334.         self.tk.call(self._w, 'yview', 'scroll', number, what)
  2335.  
  2336. class Checkbutton(Widget):
  2337.     """Checkbutton widget which is either in on- or off-state."""
  2338.     def __init__(self, master=None, cnf={}, **kw):
  2339.         """Construct a checkbutton widget with the parent MASTER.
  2340.  
  2341.         Valid resource names: activebackground, activeforeground, anchor,
  2342.         background, bd, bg, bitmap, borderwidth, command, cursor,
  2343.         disabledforeground, fg, font, foreground, height,
  2344.         highlightbackground, highlightcolor, highlightthickness, image,
  2345.         indicatoron, justify, offvalue, onvalue, padx, pady, relief,
  2346.         selectcolor, selectimage, state, takefocus, text, textvariable,
  2347.         underline, variable, width, wraplength."""
  2348.         Widget.__init__(self, master, 'checkbutton', cnf, kw)
  2349.     def deselect(self):
  2350.         """Put the button in off-state."""
  2351.         self.tk.call(self._w, 'deselect')
  2352.     def flash(self):
  2353.         """Flash the button."""
  2354.         self.tk.call(self._w, 'flash')
  2355.     def invoke(self):
  2356.         """Toggle the button and invoke a command if given as resource."""
  2357.         return self.tk.call(self._w, 'invoke')
  2358.     def select(self):
  2359.         """Put the button in on-state."""
  2360.         self.tk.call(self._w, 'select')
  2361.     def toggle(self):
  2362.         """Toggle the button."""
  2363.         self.tk.call(self._w, 'toggle')
  2364.  
  2365. class Entry(Widget):
  2366.     """Entry widget which allows to display simple text."""
  2367.     def __init__(self, master=None, cnf={}, **kw):
  2368.         """Construct an entry widget with the parent MASTER.
  2369.  
  2370.         Valid resource names: background, bd, bg, borderwidth, cursor,
  2371.         exportselection, fg, font, foreground, highlightbackground,
  2372.         highlightcolor, highlightthickness, insertbackground,
  2373.         insertborderwidth, insertofftime, insertontime, insertwidth,
  2374.         invalidcommand, invcmd, justify, relief, selectbackground,
  2375.         selectborderwidth, selectforeground, show, state, takefocus,
  2376.         textvariable, validate, validatecommand, vcmd, width,
  2377.         xscrollcommand."""
  2378.         Widget.__init__(self, master, 'entry', cnf, kw)
  2379.     def delete(self, first, last=None):
  2380.         """Delete text from FIRST to LAST (not included)."""
  2381.         self.tk.call(self._w, 'delete', first, last)
  2382.     def get(self):
  2383.         """Return the text."""
  2384.         return self.tk.call(self._w, 'get')
  2385.     def icursor(self, index):
  2386.         """Insert cursor at INDEX."""
  2387.         self.tk.call(self._w, 'icursor', index)
  2388.     def index(self, index):
  2389.         """Return position of cursor."""
  2390.         return getint(self.tk.call(
  2391.             self._w, 'index', index))
  2392.     def insert(self, index, string):
  2393.         """Insert STRING at INDEX."""
  2394.         self.tk.call(self._w, 'insert', index, string)
  2395.     def scan_mark(self, x):
  2396.         """Remember the current X, Y coordinates."""
  2397.         self.tk.call(self._w, 'scan', 'mark', x)
  2398.     def scan_dragto(self, x):
  2399.         """Adjust the view of the canvas to 10 times the
  2400.         difference between X and Y and the coordinates given in
  2401.         scan_mark."""
  2402.         self.tk.call(self._w, 'scan', 'dragto', x)
  2403.     def selection_adjust(self, index):
  2404.         """Adjust the end of the selection near the cursor to INDEX."""
  2405.         self.tk.call(self._w, 'selection', 'adjust', index)
  2406.     select_adjust = selection_adjust
  2407.     def selection_clear(self):
  2408.         """Clear the selection if it is in this widget."""
  2409.         self.tk.call(self._w, 'selection', 'clear')
  2410.     select_clear = selection_clear
  2411.     def selection_from(self, index):
  2412.         """Set the fixed end of a selection to INDEX."""
  2413.         self.tk.call(self._w, 'selection', 'from', index)
  2414.     select_from = selection_from
  2415.     def selection_present(self):
  2416.         """Return whether the widget has the selection."""
  2417.         return self.tk.getboolean(
  2418.             self.tk.call(self._w, 'selection', 'present'))
  2419.     select_present = selection_present
  2420.     def selection_range(self, start, end):
  2421.         """Set the selection from START to END (not included)."""
  2422.         self.tk.call(self._w, 'selection', 'range', start, end)
  2423.     select_range = selection_range
  2424.     def selection_to(self, index):
  2425.         """Set the variable end of a selection to INDEX."""
  2426.         self.tk.call(self._w, 'selection', 'to', index)
  2427.     select_to = selection_to
  2428.     def xview(self, index):
  2429.         """Query and change horizontal position of the view."""
  2430.         self.tk.call(self._w, 'xview', index)
  2431.     def xview_moveto(self, fraction):
  2432.         """Adjust the view in the window so that FRACTION of the
  2433.         total width of the entry is off-screen to the left."""
  2434.         self.tk.call(self._w, 'xview', 'moveto', fraction)
  2435.     def xview_scroll(self, number, what):
  2436.         """Shift the x-view according to NUMBER which is measured in "units" or "pages" (WHAT)."""
  2437.         self.tk.call(self._w, 'xview', 'scroll', number, what)
  2438.  
  2439. class Frame(Widget):
  2440.     """Frame widget which may contain other widgets and can have a 3D border."""
  2441.     def __init__(self, master=None, cnf={}, **kw):
  2442.         """Construct a frame widget with the parent MASTER.
  2443.  
  2444.         Valid resource names: background, bd, bg, borderwidth, class,
  2445.         colormap, container, cursor, height, highlightbackground,
  2446.         highlightcolor, highlightthickness, relief, takefocus, visual, width."""
  2447.         cnf = _cnfmerge((cnf, kw))
  2448.         extra = ()
  2449.         if cnf.has_key('class_'):
  2450.             extra = ('-class', cnf['class_'])
  2451.             del cnf['class_']
  2452.         elif cnf.has_key('class'):
  2453.             extra = ('-class', cnf['class'])
  2454.             del cnf['class']
  2455.         Widget.__init__(self, master, 'frame', cnf, {}, extra)
  2456.  
  2457. class Label(Widget):
  2458.     """Label widget which can display text and bitmaps."""
  2459.     def __init__(self, master=None, cnf={}, **kw):
  2460.         """Construct a label widget with the parent MASTER.
  2461.  
  2462.         STANDARD OPTIONS
  2463.  
  2464.             activebackground, activeforeground, anchor,
  2465.             background, bitmap, borderwidth, cursor,
  2466.             disabledforeground, font, foreground,
  2467.             highlightbackground, highlightcolor,
  2468.             highlightthickness, image, justify,
  2469.             padx, pady, relief, takefocus, text,
  2470.             textvariable, underline, wraplength
  2471.  
  2472.         WIDGET-SPECIFIC OPTIONS
  2473.  
  2474.             height, state, width
  2475.  
  2476.         """
  2477.         Widget.__init__(self, master, 'label', cnf, kw)
  2478.  
  2479. class Listbox(Widget):
  2480.     """Listbox widget which can display a list of strings."""
  2481.     def __init__(self, master=None, cnf={}, **kw):
  2482.         """Construct a listbox widget with the parent MASTER.
  2483.  
  2484.         Valid resource names: background, bd, bg, borderwidth, cursor,
  2485.         exportselection, fg, font, foreground, height, highlightbackground,
  2486.         highlightcolor, highlightthickness, relief, selectbackground,
  2487.         selectborderwidth, selectforeground, selectmode, setgrid, takefocus,
  2488.         width, xscrollcommand, yscrollcommand, listvariable."""
  2489.         Widget.__init__(self, master, 'listbox', cnf, kw)
  2490.     def activate(self, index):
  2491.         """Activate item identified by INDEX."""
  2492.         self.tk.call(self._w, 'activate', index)
  2493.     def bbox(self, *args):
  2494.         """Return a tuple of X1,Y1,X2,Y2 coordinates for a rectangle
  2495.         which encloses the item identified by index in ARGS."""
  2496.         return self._getints(
  2497.             self.tk.call((self._w, 'bbox') + args)) or None
  2498.     def curselection(self):
  2499.         """Return list of indices of currently selected item."""
  2500.         # XXX Ought to apply self._getints()...
  2501.         return self.tk.splitlist(self.tk.call(
  2502.             self._w, 'curselection'))
  2503.     def delete(self, first, last=None):
  2504.         """Delete items from FIRST to LAST (not included)."""
  2505.         self.tk.call(self._w, 'delete', first, last)
  2506.     def get(self, first, last=None):
  2507.         """Get list of items from FIRST to LAST (not included)."""
  2508.         if last:
  2509.             return self.tk.splitlist(self.tk.call(
  2510.                 self._w, 'get', first, last))
  2511.         else:
  2512.             return self.tk.call(self._w, 'get', first)
  2513.     def index(self, index):
  2514.         """Return index of item identified with INDEX."""
  2515.         i = self.tk.call(self._w, 'index', index)
  2516.         if i == 'none': return None
  2517.         return getint(i)
  2518.     def insert(self, index, *elements):
  2519.         """Insert ELEMENTS at INDEX."""
  2520.         self.tk.call((self._w, 'insert', index) + elements)
  2521.     def nearest(self, y):
  2522.         """Get index of item which is nearest to y coordinate Y."""
  2523.         return getint(self.tk.call(
  2524.             self._w, 'nearest', y))
  2525.     def scan_mark(self, x, y):
  2526.         """Remember the current X, Y coordinates."""
  2527.         self.tk.call(self._w, 'scan', 'mark', x, y)
  2528.     def scan_dragto(self, x, y):
  2529.         """Adjust the view of the listbox to 10 times the
  2530.         difference between X and Y and the coordinates given in
  2531.         scan_mark."""
  2532.         self.tk.call(self._w, 'scan', 'dragto', x, y)
  2533.     def see(self, index):
  2534.         """Scroll such that INDEX is visible."""
  2535.         self.tk.call(self._w, 'see', index)
  2536.     def selection_anchor(self, index):
  2537.         """Set the fixed end oft the selection to INDEX."""
  2538.         self.tk.call(self._w, 'selection', 'anchor', index)
  2539.     select_anchor = selection_anchor
  2540.     def selection_clear(self, first, last=None):
  2541.         """Clear the selection from FIRST to LAST (not included)."""
  2542.         self.tk.call(self._w,
  2543.                  'selection', 'clear', first, last)
  2544.     select_clear = selection_clear
  2545.     def selection_includes(self, index):
  2546.         """Return 1 if INDEX is part of the selection."""
  2547.         return self.tk.getboolean(self.tk.call(
  2548.             self._w, 'selection', 'includes', index))
  2549.     select_includes = selection_includes
  2550.     def selection_set(self, first, last=None):
  2551.         """Set the selection from FIRST to LAST (not included) without
  2552.         changing the currently selected elements."""
  2553.         self.tk.call(self._w, 'selection', 'set', first, last)
  2554.     select_set = selection_set
  2555.     def size(self):
  2556.         """Return the number of elements in the listbox."""
  2557.         return getint(self.tk.call(self._w, 'size'))
  2558.     def xview(self, *what):
  2559.         """Query and change horizontal position of the view."""
  2560.         if not what:
  2561.             return self._getdoubles(self.tk.call(self._w, 'xview'))
  2562.         self.tk.call((self._w, 'xview') + what)
  2563.     def xview_moveto(self, fraction):
  2564.         """Adjust the view in the window so that FRACTION of the
  2565.         total width of the entry is off-screen to the left."""
  2566.         self.tk.call(self._w, 'xview', 'moveto', fraction)
  2567.     def xview_scroll(self, number, what):
  2568.         """Shift the x-view according to NUMBER which is measured in "units" or "pages" (WHAT)."""
  2569.         self.tk.call(self._w, 'xview', 'scroll', number, what)
  2570.     def yview(self, *what):
  2571.         """Query and change vertical position of the view."""
  2572.         if not what:
  2573.             return self._getdoubles(self.tk.call(self._w, 'yview'))
  2574.         self.tk.call((self._w, 'yview') + what)
  2575.     def yview_moveto(self, fraction):
  2576.         """Adjust the view in the window so that FRACTION of the
  2577.         total width of the entry is off-screen to the top."""
  2578.         self.tk.call(self._w, 'yview', 'moveto', fraction)
  2579.     def yview_scroll(self, number, what):
  2580.         """Shift the y-view according to NUMBER which is measured in "units" or "pages" (WHAT)."""
  2581.         self.tk.call(self._w, 'yview', 'scroll', number, what)
  2582.     def itemcget(self, index, option):
  2583.         """Return the resource value for an ITEM and an OPTION."""
  2584.         return self.tk.call(
  2585.             (self._w, 'itemcget') + (index, '-'+option))
  2586.     def itemconfigure(self, index, cnf=None, **kw):
  2587.         """Configure resources of an ITEM.
  2588.  
  2589.         The values for resources are specified as keyword arguments.
  2590.         To get an overview about the allowed keyword arguments
  2591.         call the method without arguments.
  2592.         Valid resource names: background, bg, foreground, fg,
  2593.         selectbackground, selectforeground."""
  2594.         return self._configure(('itemconfigure', index), cnf, kw)
  2595.     itemconfig = itemconfigure
  2596.  
  2597. class Menu(Widget):
  2598.     """Menu widget which allows to display menu bars, pull-down menus and pop-up menus."""
  2599.     def __init__(self, master=None, cnf={}, **kw):
  2600.         """Construct menu widget with the parent MASTER.
  2601.  
  2602.         Valid resource names: activebackground, activeborderwidth,
  2603.         activeforeground, background, bd, bg, borderwidth, cursor,
  2604.         disabledforeground, fg, font, foreground, postcommand, relief,
  2605.         selectcolor, takefocus, tearoff, tearoffcommand, title, type."""
  2606.         Widget.__init__(self, master, 'menu', cnf, kw)
  2607.     def tk_bindForTraversal(self):
  2608.         pass # obsolete since Tk 4.0
  2609.     def tk_mbPost(self):
  2610.         self.tk.call('tk_mbPost', self._w)
  2611.     def tk_mbUnpost(self):
  2612.         self.tk.call('tk_mbUnpost')
  2613.     def tk_traverseToMenu(self, char):
  2614.         self.tk.call('tk_traverseToMenu', self._w, char)
  2615.     def tk_traverseWithinMenu(self, char):
  2616.         self.tk.call('tk_traverseWithinMenu', self._w, char)
  2617.     def tk_getMenuButtons(self):
  2618.         return self.tk.call('tk_getMenuButtons', self._w)
  2619.     def tk_nextMenu(self, count):
  2620.         self.tk.call('tk_nextMenu', count)
  2621.     def tk_nextMenuEntry(self, count):
  2622.         self.tk.call('tk_nextMenuEntry', count)
  2623.     def tk_invokeMenu(self):
  2624.         self.tk.call('tk_invokeMenu', self._w)
  2625.     def tk_firstMenu(self):
  2626.         self.tk.call('tk_firstMenu', self._w)
  2627.     def tk_mbButtonDown(self):
  2628.         self.tk.call('tk_mbButtonDown', self._w)
  2629.     def tk_popup(self, x, y, entry=""):
  2630.         """Post the menu at position X,Y with entry ENTRY."""
  2631.         self.tk.call('tk_popup', self._w, x, y, entry)
  2632.     def activate(self, index):
  2633.         """Activate entry at INDEX."""
  2634.         self.tk.call(self._w, 'activate', index)
  2635.     def add(self, itemType, cnf={}, **kw):
  2636.         """Internal function."""
  2637.         self.tk.call((self._w, 'add', itemType) +
  2638.                  self._options(cnf, kw))
  2639.     def add_cascade(self, cnf={}, **kw):
  2640.         """Add hierarchical menu item."""
  2641.         self.add('cascade', cnf or kw)
  2642.     def add_checkbutton(self, cnf={}, **kw):
  2643.         """Add checkbutton menu item."""
  2644.         self.add('checkbutton', cnf or kw)
  2645.     def add_command(self, cnf={}, **kw):
  2646.         """Add command menu item."""
  2647.         self.add('command', cnf or kw)
  2648.     def add_radiobutton(self, cnf={}, **kw):
  2649.         """Addd radio menu item."""
  2650.         self.add('radiobutton', cnf or kw)
  2651.     def add_separator(self, cnf={}, **kw):
  2652.         """Add separator."""
  2653.         self.add('separator', cnf or kw)
  2654.     def insert(self, index, itemType, cnf={}, **kw):
  2655.         """Internal function."""
  2656.         self.tk.call((self._w, 'insert', index, itemType) +
  2657.                  self._options(cnf, kw))
  2658.     def insert_cascade(self, index, cnf={}, **kw):
  2659.         """Add hierarchical menu item at INDEX."""
  2660.         self.insert(index, 'cascade', cnf or kw)
  2661.     def insert_checkbutton(self, index, cnf={}, **kw):
  2662.         """Add checkbutton menu item at INDEX."""
  2663.         self.insert(index, 'checkbutton', cnf or kw)
  2664.     def insert_command(self, index, cnf={}, **kw):
  2665.         """Add command menu item at INDEX."""
  2666.         self.insert(index, 'command', cnf or kw)
  2667.     def insert_radiobutton(self, index, cnf={}, **kw):
  2668.         """Addd radio menu item at INDEX."""
  2669.         self.insert(index, 'radiobutton', cnf or kw)
  2670.     def insert_separator(self, index, cnf={}, **kw):
  2671.         """Add separator at INDEX."""
  2672.         self.insert(index, 'separator', cnf or kw)
  2673.     def delete(self, index1, index2=None):
  2674.         """Delete menu items between INDEX1 and INDEX2 (not included)."""
  2675.         if index2 is None:
  2676.             index2 = index1
  2677.         cmds = []
  2678.         (num_index1, num_index2) = (self.index(index1), self.index(index2))
  2679.         if (num_index1 is not None) and (num_index2 is not None):
  2680.             for i in range(num_index1, num_index2 + 1):
  2681.                 if 'command' in self.entryconfig(i):
  2682.                     c = str(self.entrycget(i, 'command'))
  2683.                     if c in self._tclCommands:
  2684.                         cmds.append(c)
  2685.         self.tk.call(self._w, 'delete', index1, index2)
  2686.         for c in cmds:
  2687.             self.deletecommand(c)
  2688.     def entrycget(self, index, option):
  2689.         """Return the resource value of an menu item for OPTION at INDEX."""
  2690.         return self.tk.call(self._w, 'entrycget', index, '-' + option)
  2691.     def entryconfigure(self, index, cnf=None, **kw):
  2692.         """Configure a menu item at INDEX."""
  2693.         return self._configure(('entryconfigure', index), cnf, kw)
  2694.     entryconfig = entryconfigure
  2695.     def index(self, index):
  2696.         """Return the index of a menu item identified by INDEX."""
  2697.         i = self.tk.call(self._w, 'index', index)
  2698.         if i == 'none': return None
  2699.         return getint(i)
  2700.     def invoke(self, index):
  2701.         """Invoke a menu item identified by INDEX and execute
  2702.         the associated command."""
  2703.         return self.tk.call(self._w, 'invoke', index)
  2704.     def post(self, x, y):
  2705.         """Display a menu at position X,Y."""
  2706.         self.tk.call(self._w, 'post', x, y)
  2707.     def type(self, index):
  2708.         """Return the type of the menu item at INDEX."""
  2709.         return self.tk.call(self._w, 'type', index)
  2710.     def unpost(self):
  2711.         """Unmap a menu."""
  2712.         self.tk.call(self._w, 'unpost')
  2713.     def yposition(self, index):
  2714.         """Return the y-position of the topmost pixel of the menu item at INDEX."""
  2715.         return getint(self.tk.call(
  2716.             self._w, 'yposition', index))
  2717.  
  2718. class Menubutton(Widget):
  2719.     """Menubutton widget, obsolete since Tk8.0."""
  2720.     def __init__(self, master=None, cnf={}, **kw):
  2721.         Widget.__init__(self, master, 'menubutton', cnf, kw)
  2722.  
  2723. class Message(Widget):
  2724.     """Message widget to display multiline text. Obsolete since Label does it too."""
  2725.     def __init__(self, master=None, cnf={}, **kw):
  2726.         Widget.__init__(self, master, 'message', cnf, kw)
  2727.  
  2728. class Radiobutton(Widget):
  2729.     """Radiobutton widget which shows only one of several buttons in on-state."""
  2730.     def __init__(self, master=None, cnf={}, **kw):
  2731.         """Construct a radiobutton widget with the parent MASTER.
  2732.  
  2733.         Valid resource names: activebackground, activeforeground, anchor,
  2734.         background, bd, bg, bitmap, borderwidth, command, cursor,
  2735.         disabledforeground, fg, font, foreground, height,
  2736.         highlightbackground, highlightcolor, highlightthickness, image,
  2737.         indicatoron, justify, padx, pady, relief, selectcolor, selectimage,
  2738.         state, takefocus, text, textvariable, underline, value, variable,
  2739.         width, wraplength."""
  2740.         Widget.__init__(self, master, 'radiobutton', cnf, kw)
  2741.     def deselect(self):
  2742.         """Put the button in off-state."""
  2743.  
  2744.         self.tk.call(self._w, 'deselect')
  2745.     def flash(self):
  2746.         """Flash the button."""
  2747.         self.tk.call(self._w, 'flash')
  2748.     def invoke(self):
  2749.         """Toggle the button and invoke a command if given as resource."""
  2750.         return self.tk.call(self._w, 'invoke')
  2751.     def select(self):
  2752.         """Put the button in on-state."""
  2753.         self.tk.call(self._w, 'select')
  2754.  
  2755. class Scale(Widget):
  2756.     """Scale widget which can display a numerical scale."""
  2757.     def __init__(self, master=None, cnf={}, **kw):
  2758.         """Construct a scale widget with the parent MASTER.
  2759.  
  2760.         Valid resource names: activebackground, background, bigincrement, bd,
  2761.         bg, borderwidth, command, cursor, digits, fg, font, foreground, from,
  2762.         highlightbackground, highlightcolor, highlightthickness, label,
  2763.         length, orient, relief, repeatdelay, repeatinterval, resolution,
  2764.         showvalue, sliderlength, sliderrelief, state, takefocus,
  2765.         tickinterval, to, troughcolor, variable, width."""
  2766.         Widget.__init__(self, master, 'scale', cnf, kw)
  2767.     def get(self):
  2768.         """Get the current value as integer or float."""
  2769.         value = self.tk.call(self._w, 'get')
  2770.         try:
  2771.             return getint(value)
  2772.         except ValueError:
  2773.             return getdouble(value)
  2774.     def set(self, value):
  2775.         """Set the value to VALUE."""
  2776.         self.tk.call(self._w, 'set', value)
  2777.     def coords(self, value=None):
  2778.         """Return a tuple (X,Y) of the point along the centerline of the
  2779.         trough that corresponds to VALUE or the current value if None is
  2780.         given."""
  2781.  
  2782.         return self._getints(self.tk.call(self._w, 'coords', value))
  2783.     def identify(self, x, y):
  2784.         """Return where the point X,Y lies. Valid return values are "slider",
  2785.         "though1" and "though2"."""
  2786.         return self.tk.call(self._w, 'identify', x, y)
  2787.  
  2788. class Scrollbar(Widget):
  2789.     """Scrollbar widget which displays a slider at a certain position."""
  2790.     def __init__(self, master=None, cnf={}, **kw):
  2791.         """Construct a scrollbar widget with the parent MASTER.
  2792.  
  2793.         Valid resource names: activebackground, activerelief,
  2794.         background, bd, bg, borderwidth, command, cursor,
  2795.         elementborderwidth, highlightbackground,
  2796.         highlightcolor, highlightthickness, jump, orient,
  2797.         relief, repeatdelay, repeatinterval, takefocus,
  2798.         troughcolor, width."""
  2799.         Widget.__init__(self, master, 'scrollbar', cnf, kw)
  2800.     def activate(self, index):
  2801.         """Display the element at INDEX with activebackground and activerelief.
  2802.         INDEX can be "arrow1","slider" or "arrow2"."""
  2803.         self.tk.call(self._w, 'activate', index)
  2804.     def delta(self, deltax, deltay):
  2805.         """Return the fractional change of the scrollbar setting if it
  2806.         would be moved by DELTAX or DELTAY pixels."""
  2807.         return getdouble(
  2808.             self.tk.call(self._w, 'delta', deltax, deltay))
  2809.     def fraction(self, x, y):
  2810.         """Return the fractional value which corresponds to a slider
  2811.         position of X,Y."""
  2812.         return getdouble(self.tk.call(self._w, 'fraction', x, y))
  2813.     def identify(self, x, y):
  2814.         """Return the element under position X,Y as one of
  2815.         "arrow1","slider","arrow2" or ""."""
  2816.         return self.tk.call(self._w, 'identify', x, y)
  2817.     def get(self):
  2818.         """Return the current fractional values (upper and lower end)
  2819.         of the slider position."""
  2820.         return self._getdoubles(self.tk.call(self._w, 'get'))
  2821.     def set(self, *args):
  2822.         """Set the fractional values of the slider position (upper and
  2823.         lower ends as value between 0 and 1)."""
  2824.         self.tk.call((self._w, 'set') + args)
  2825.  
  2826.  
  2827.  
  2828. class Text(Widget):
  2829.     """Text widget which can display text in various forms."""
  2830.     def __init__(self, master=None, cnf={}, **kw):
  2831.         """Construct a text widget with the parent MASTER.
  2832.  
  2833.         STANDARD OPTIONS
  2834.  
  2835.             background, borderwidth, cursor,
  2836.             exportselection, font, foreground,
  2837.             highlightbackground, highlightcolor,
  2838.             highlightthickness, insertbackground,
  2839.             insertborderwidth, insertofftime,
  2840.             insertontime, insertwidth, padx, pady,
  2841.             relief, selectbackground,
  2842.             selectborderwidth, selectforeground,
  2843.             setgrid, takefocus,
  2844.             xscrollcommand, yscrollcommand,
  2845.  
  2846.         WIDGET-SPECIFIC OPTIONS
  2847.  
  2848.             autoseparators, height, maxundo,
  2849.             spacing1, spacing2, spacing3,
  2850.             state, tabs, undo, width, wrap,
  2851.  
  2852.         """
  2853.         Widget.__init__(self, master, 'text', cnf, kw)
  2854.     def bbox(self, *args):
  2855.         """Return a tuple of (x,y,width,height) which gives the bounding
  2856.         box of the visible part of the character at the index in ARGS."""
  2857.         return self._getints(
  2858.             self.tk.call((self._w, 'bbox') + args)) or None
  2859.     def tk_textSelectTo(self, index):
  2860.         self.tk.call('tk_textSelectTo', self._w, index)
  2861.     def tk_textBackspace(self):
  2862.         self.tk.call('tk_textBackspace', self._w)
  2863.     def tk_textIndexCloser(self, a, b, c):
  2864.         self.tk.call('tk_textIndexCloser', self._w, a, b, c)
  2865.     def tk_textResetAnchor(self, index):
  2866.         self.tk.call('tk_textResetAnchor', self._w, index)
  2867.     def compare(self, index1, op, index2):
  2868.         """Return whether between index INDEX1 and index INDEX2 the
  2869.         relation OP is satisfied. OP is one of <, <=, ==, >=, >, or !=."""
  2870.         return self.tk.getboolean(self.tk.call(
  2871.             self._w, 'compare', index1, op, index2))
  2872.     def debug(self, boolean=None):
  2873.         """Turn on the internal consistency checks of the B-Tree inside the text
  2874.         widget according to BOOLEAN."""
  2875.         return self.tk.getboolean(self.tk.call(
  2876.             self._w, 'debug', boolean))
  2877.     def delete(self, index1, index2=None):
  2878.         """Delete the characters between INDEX1 and INDEX2 (not included)."""
  2879.         self.tk.call(self._w, 'delete', index1, index2)
  2880.     def dlineinfo(self, index):
  2881.         """Return tuple (x,y,width,height,baseline) giving the bounding box
  2882.         and baseline position of the visible part of the line containing
  2883.         the character at INDEX."""
  2884.         return self._getints(self.tk.call(self._w, 'dlineinfo', index))
  2885.     def dump(self, index1, index2=None, command=None, **kw):
  2886.         """Return the contents of the widget between index1 and index2.
  2887.  
  2888.         The type of contents returned in filtered based on the keyword
  2889.         parameters; if 'all', 'image', 'mark', 'tag', 'text', or 'window' are
  2890.         given and true, then the corresponding items are returned. The result
  2891.         is a list of triples of the form (key, value, index). If none of the
  2892.         keywords are true then 'all' is used by default.
  2893.  
  2894.         If the 'command' argument is given, it is called once for each element
  2895.         of the list of triples, with the values of each triple serving as the
  2896.         arguments to the function. In this case the list is not returned."""
  2897.         args = []
  2898.         func_name = None
  2899.         result = None
  2900.         if not command:
  2901.             # Never call the dump command without the -command flag, since the
  2902.             # output could involve Tcl quoting and would be a pain to parse
  2903.             # right. Instead just set the command to build a list of triples
  2904.             # as if we had done the parsing.
  2905.             result = []
  2906.             def append_triple(key, value, index, result=result):
  2907.                 result.append((key, value, index))
  2908.             command = append_triple
  2909.         try:
  2910.             if not isinstance(command, str):
  2911.                 func_name = command = self._register(command)
  2912.             args += ["-command", command]
  2913.             for key in kw:
  2914.                 if kw[key]: args.append("-" + key)
  2915.             args.append(index1)
  2916.             if index2:
  2917.                 args.append(index2)
  2918.             self.tk.call(self._w, "dump", *args)
  2919.             return result
  2920.         finally:
  2921.             if func_name:
  2922.                 self.deletecommand(func_name)
  2923.  
  2924.     ## new in tk8.4
  2925.     def edit(self, *args):
  2926.         """Internal method
  2927.  
  2928.         This method controls the undo mechanism and
  2929.         the modified flag. The exact behavior of the
  2930.         command depends on the option argument that
  2931.         follows the edit argument. The following forms
  2932.         of the command are currently supported:
  2933.  
  2934.         edit_modified, edit_redo, edit_reset, edit_separator
  2935.         and edit_undo
  2936.  
  2937.         """
  2938.         return self.tk.call((self._w, 'edit') + args)
  2939.  
  2940.     def edit_modified(self, arg=None):
  2941.         """Get or Set the modified flag
  2942.  
  2943.         If arg is not specified, returns the modified
  2944.         flag of the widget. The insert, delete, edit undo and
  2945.         edit redo commands or the user can set or clear the
  2946.         modified flag. If boolean is specified, sets the
  2947.         modified flag of the widget to arg.
  2948.         """
  2949.         return self.edit("modified", arg)
  2950.  
  2951.     def edit_redo(self):
  2952.         """Redo the last undone edit
  2953.  
  2954.         When the undo option is true, reapplies the last
  2955.         undone edits provided no other edits were done since
  2956.         then. Generates an error when the redo stack is empty.
  2957.         Does nothing when the undo option is false.
  2958.         """
  2959.         return self.edit("redo")
  2960.  
  2961.     def edit_reset(self):
  2962.         """Clears the undo and redo stacks
  2963.         """
  2964.         return self.edit("reset")
  2965.  
  2966.     def edit_separator(self):
  2967.         """Inserts a separator (boundary) on the undo stack.
  2968.  
  2969.         Does nothing when the undo option is false
  2970.         """
  2971.         return self.edit("separator")
  2972.  
  2973.     def edit_undo(self):
  2974.         """Undoes the last edit action
  2975.  
  2976.         If the undo option is true. An edit action is defined
  2977.         as all the insert and delete commands that are recorded
  2978.         on the undo stack in between two separators. Generates
  2979.         an error when the undo stack is empty. Does nothing
  2980.         when the undo option is false
  2981.         """
  2982.         return self.edit("undo")
  2983.  
  2984.     def get(self, index1, index2=None):
  2985.         """Return the text from INDEX1 to INDEX2 (not included)."""
  2986.         return self.tk.call(self._w, 'get', index1, index2)
  2987.     # (Image commands are new in 8.0)
  2988.     def image_cget(self, index, option):
  2989.         """Return the value of OPTION of an embedded image at INDEX."""
  2990.         if option[:1] != "-":
  2991.             option = "-" + option
  2992.         if option[-1:] == "_":
  2993.             option = option[:-1]
  2994.         return self.tk.call(self._w, "image", "cget", index, option)
  2995.     def image_configure(self, index, cnf=None, **kw):
  2996.         """Configure an embedded image at INDEX."""
  2997.         return self._configure(('image', 'configure', index), cnf, kw)
  2998.     def image_create(self, index, cnf={}, **kw):
  2999.         """Create an embedded image at INDEX."""
  3000.         return self.tk.call(
  3001.                  self._w, "image", "create", index,
  3002.                  *self._options(cnf, kw))
  3003.     def image_names(self):
  3004.         """Return all names of embedded images in this widget."""
  3005.         return self.tk.call(self._w, "image", "names")
  3006.     def index(self, index):
  3007.         """Return the index in the form line.char for INDEX."""
  3008.         return self.tk.call(self._w, 'index', index)
  3009.     def insert(self, index, chars, *args):
  3010.         """Insert CHARS before the characters at INDEX. An additional
  3011.         tag can be given in ARGS. Additional CHARS and tags can follow in ARGS."""
  3012.         self.tk.call((self._w, 'insert', index, chars) + args)
  3013.     def mark_gravity(self, markName, direction=None):
  3014.         """Change the gravity of a mark MARKNAME to DIRECTION (LEFT or RIGHT).
  3015.         Return the current value if None is given for DIRECTION."""
  3016.         return self.tk.call(
  3017.             (self._w, 'mark', 'gravity', markName, direction))
  3018.     def mark_names(self):
  3019.         """Return all mark names."""
  3020.         return self.tk.splitlist(self.tk.call(
  3021.             self._w, 'mark', 'names'))
  3022.     def mark_set(self, markName, index):
  3023.         """Set mark MARKNAME before the character at INDEX."""
  3024.         self.tk.call(self._w, 'mark', 'set', markName, index)
  3025.     def mark_unset(self, *markNames):
  3026.         """Delete all marks in MARKNAMES."""
  3027.         self.tk.call((self._w, 'mark', 'unset') + markNames)
  3028.     def mark_next(self, index):
  3029.         """Return the name of the next mark after INDEX."""
  3030.         return self.tk.call(self._w, 'mark', 'next', index) or None
  3031.     def mark_previous(self, index):
  3032.         """Return the name of the previous mark before INDEX."""
  3033.         return self.tk.call(self._w, 'mark', 'previous', index) or None
  3034.     def scan_mark(self, x, y):
  3035.         """Remember the current X, Y coordinates."""
  3036.         self.tk.call(self._w, 'scan', 'mark', x, y)
  3037.     def scan_dragto(self, x, y):
  3038.         """Adjust the view of the text to 10 times the
  3039.         difference between X and Y and the coordinates given in
  3040.         scan_mark."""
  3041.         self.tk.call(self._w, 'scan', 'dragto', x, y)
  3042.     def search(self, pattern, index, stopindex=None,
  3043.            forwards=None, backwards=None, exact=None,
  3044.            regexp=None, nocase=None, count=None):
  3045.         """Search PATTERN beginning from INDEX until STOPINDEX.
  3046.         Return the index of the first character of a match or an empty string."""
  3047.         args = [self._w, 'search']
  3048.         if forwards: args.append('-forwards')
  3049.         if backwards: args.append('-backwards')
  3050.         if exact: args.append('-exact')
  3051.         if regexp: args.append('-regexp')
  3052.         if nocase: args.append('-nocase')
  3053.         if count: args.append('-count'); args.append(count)
  3054.         if pattern[0] == '-': args.append('--')
  3055.         args.append(pattern)
  3056.         args.append(index)
  3057.         if stopindex: args.append(stopindex)
  3058.         return self.tk.call(tuple(args))
  3059.     def see(self, index):
  3060.         """Scroll such that the character at INDEX is visible."""
  3061.         self.tk.call(self._w, 'see', index)
  3062.     def tag_add(self, tagName, index1, *args):
  3063.         """Add tag TAGNAME to all characters between INDEX1 and index2 in ARGS.
  3064.         Additional pairs of indices may follow in ARGS."""
  3065.         self.tk.call(
  3066.             (self._w, 'tag', 'add', tagName, index1) + args)
  3067.     def tag_unbind(self, tagName, sequence, funcid=None):
  3068.         """Unbind for all characters with TAGNAME for event SEQUENCE  the
  3069.         function identified with FUNCID."""
  3070.         self.tk.call(self._w, 'tag', 'bind', tagName, sequence, '')
  3071.         if funcid:
  3072.             self.deletecommand(funcid)
  3073.     def tag_bind(self, tagName, sequence, func, add=None):
  3074.         """Bind to all characters with TAGNAME at event SEQUENCE a call to function FUNC.
  3075.  
  3076.         An additional boolean parameter ADD specifies whether FUNC will be
  3077.         called additionally to the other bound function or whether it will
  3078.         replace the previous function. See bind for the return value."""
  3079.         return self._bind((self._w, 'tag', 'bind', tagName),
  3080.                   sequence, func, add)
  3081.     def tag_cget(self, tagName, option):
  3082.         """Return the value of OPTION for tag TAGNAME."""
  3083.         if option[:1] != '-':
  3084.             option = '-' + option
  3085.         if option[-1:] == '_':
  3086.             option = option[:-1]
  3087.         return self.tk.call(self._w, 'tag', 'cget', tagName, option)
  3088.     def tag_configure(self, tagName, cnf=None, **kw):
  3089.         """Configure a tag TAGNAME."""
  3090.         return self._configure(('tag', 'configure', tagName), cnf, kw)
  3091.     tag_config = tag_configure
  3092.     def tag_delete(self, *tagNames):
  3093.         """Delete all tags in TAGNAMES."""
  3094.         self.tk.call((self._w, 'tag', 'delete') + tagNames)
  3095.     def tag_lower(self, tagName, belowThis=None):
  3096.         """Change the priority of tag TAGNAME such that it is lower
  3097.         than the priority of BELOWTHIS."""
  3098.         self.tk.call(self._w, 'tag', 'lower', tagName, belowThis)
  3099.     def tag_names(self, index=None):
  3100.         """Return a list of all tag names."""
  3101.         return self.tk.splitlist(
  3102.             self.tk.call(self._w, 'tag', 'names', index))
  3103.     def tag_nextrange(self, tagName, index1, index2=None):
  3104.         """Return a list of start and end index for the first sequence of
  3105.         characters between INDEX1 and INDEX2 which all have tag TAGNAME.
  3106.         The text is searched forward from INDEX1."""
  3107.         return self.tk.splitlist(self.tk.call(
  3108.             self._w, 'tag', 'nextrange', tagName, index1, index2))
  3109.     def tag_prevrange(self, tagName, index1, index2=None):
  3110.         """Return a list of start and end index for the first sequence of
  3111.         characters between INDEX1 and INDEX2 which all have tag TAGNAME.
  3112.         The text is searched backwards from INDEX1."""
  3113.         return self.tk.splitlist(self.tk.call(
  3114.             self._w, 'tag', 'prevrange', tagName, index1, index2))
  3115.     def tag_raise(self, tagName, aboveThis=None):
  3116.         """Change the priority of tag TAGNAME such that it is higher
  3117.         than the priority of ABOVETHIS."""
  3118.         self.tk.call(
  3119.             self._w, 'tag', 'raise', tagName, aboveThis)
  3120.     def tag_ranges(self, tagName):
  3121.         """Return a list of ranges of text which have tag TAGNAME."""
  3122.         return self.tk.splitlist(self.tk.call(
  3123.             self._w, 'tag', 'ranges', tagName))
  3124.     def tag_remove(self, tagName, index1, index2=None):
  3125.         """Remove tag TAGNAME from all characters between INDEX1 and INDEX2."""
  3126.         self.tk.call(
  3127.             self._w, 'tag', 'remove', tagName, index1, index2)
  3128.     def window_cget(self, index, option):
  3129.         """Return the value of OPTION of an embedded window at INDEX."""
  3130.         if option[:1] != '-':
  3131.             option = '-' + option
  3132.         if option[-1:] == '_':
  3133.             option = option[:-1]
  3134.         return self.tk.call(self._w, 'window', 'cget', index, option)
  3135.     def window_configure(self, index, cnf=None, **kw):
  3136.         """Configure an embedded window at INDEX."""
  3137.         return self._configure(('window', 'configure', index), cnf, kw)
  3138.     window_config = window_configure
  3139.     def window_create(self, index, cnf={}, **kw):
  3140.         """Create a window at INDEX."""
  3141.         self.tk.call(
  3142.               (self._w, 'window', 'create', index)
  3143.               + self._options(cnf, kw))
  3144.     def window_names(self):
  3145.         """Return all names of embedded windows in this widget."""
  3146.         return self.tk.splitlist(
  3147.             self.tk.call(self._w, 'window', 'names'))
  3148.     def xview(self, *what):
  3149.         """Query and change horizontal position of the view."""
  3150.         if not what:
  3151.             return self._getdoubles(self.tk.call(self._w, 'xview'))
  3152.         self.tk.call((self._w, 'xview') + what)
  3153.     def xview_moveto(self, fraction):
  3154.         """Adjusts the view in the window so that FRACTION of the
  3155.         total width of the canvas is off-screen to the left."""
  3156.         self.tk.call(self._w, 'xview', 'moveto', fraction)
  3157.     def xview_scroll(self, number, what):
  3158.         """Shift the x-view according to NUMBER which is measured
  3159.         in "units" or "pages" (WHAT)."""
  3160.         self.tk.call(self._w, 'xview', 'scroll', number, what)
  3161.     def yview(self, *what):
  3162.         """Query and change vertical position of the view."""
  3163.         if not what:
  3164.             return self._getdoubles(self.tk.call(self._w, 'yview'))
  3165.         self.tk.call((self._w, 'yview') + what)
  3166.     def yview_moveto(self, fraction):
  3167.         """Adjusts the view in the window so that FRACTION of the
  3168.         total height of the canvas is off-screen to the top."""
  3169.         self.tk.call(self._w, 'yview', 'moveto', fraction)
  3170.     def yview_scroll(self, number, what):
  3171.         """Shift the y-view according to NUMBER which is measured
  3172.         in "units" or "pages" (WHAT)."""
  3173.         self.tk.call(self._w, 'yview', 'scroll', number, what)
  3174.     def yview_pickplace(self, *what):
  3175.         """Obsolete function, use see."""
  3176.         self.tk.call((self._w, 'yview', '-pickplace') + what)
  3177.  
  3178.  
  3179. class _setit:
  3180.     """Internal class. It wraps the command in the widget OptionMenu."""
  3181.     def __init__(self, var, value, callback=None):
  3182.         self.__value = value
  3183.         self.__var = var
  3184.         self.__callback = callback
  3185.     def __call__(self, *args):
  3186.         self.__var.set(self.__value)
  3187.         if self.__callback:
  3188.             self.__callback(self.__value, *args)
  3189.  
  3190. class OptionMenu(Menubutton):
  3191.     """OptionMenu which allows the user to select a value from a menu."""
  3192.     def __init__(self, master, variable, value, *values, **kwargs):
  3193.         """Construct an optionmenu widget with the parent MASTER, with
  3194.         the resource textvariable set to VARIABLE, the initially selected
  3195.         value VALUE, the other menu values VALUES and an additional
  3196.         keyword argument command."""
  3197.         kw = {"borderwidth": 2, "textvariable": variable,
  3198.               "indicatoron": 1, "relief": RAISED, "anchor": "c",
  3199.               "highlightthickness": 2}
  3200.         Widget.__init__(self, master, "menubutton", kw)
  3201.         self.widgetName = 'tk_optionMenu'
  3202.         menu = self.__menu = Menu(self, name="menu", tearoff=0)
  3203.         self.menuname = menu._w
  3204.         # 'command' is the only supported keyword
  3205.         callback = kwargs.get('command')
  3206.         if kwargs.has_key('command'):
  3207.             del kwargs['command']
  3208.         if kwargs:
  3209.             raise TclError, 'unknown option -'+kwargs.keys()[0]
  3210.         menu.add_command(label=value,
  3211.                  command=_setit(variable, value, callback))
  3212.         for v in values:
  3213.             menu.add_command(label=v,
  3214.                      command=_setit(variable, v, callback))
  3215.         self["menu"] = menu
  3216.  
  3217.     def __getitem__(self, name):
  3218.         if name == 'menu':
  3219.             return self.__menu
  3220.         return Widget.__getitem__(self, name)
  3221.  
  3222.     def destroy(self):
  3223.         """Destroy this widget and the associated menu."""
  3224.         Menubutton.destroy(self)
  3225.         self.__menu = None
  3226.  
  3227. class Image:
  3228.     """Base class for images."""
  3229.     _last_id = 0
  3230.     def __init__(self, imgtype, name=None, cnf={}, master=None, **kw):
  3231.         self.name = None
  3232.         if not master:
  3233.             master = _default_root
  3234.             if not master:
  3235.                 raise RuntimeError, 'Too early to create image'
  3236.         self.tk = master.tk
  3237.         if not name:
  3238.             Image._last_id += 1
  3239.             name = "pyimage%r" % (Image._last_id,) # tk itself would use image<x>
  3240.             # The following is needed for systems where id(x)
  3241.             # can return a negative number, such as Linux/m68k:
  3242.             if name[0] == '-': name = '_' + name[1:]
  3243.         if kw and cnf: cnf = _cnfmerge((cnf, kw))
  3244.         elif kw: cnf = kw
  3245.         options = ()
  3246.         for k, v in cnf.items():
  3247.             if callable(v):
  3248.                 v = self._register(v)
  3249.             options = options + ('-'+k, v)
  3250.         self.tk.call(('image', 'create', imgtype, name,) + options)
  3251.         self.name = name
  3252.     def __str__(self): return self.name
  3253.     def __del__(self):
  3254.         if self.name:
  3255.             try:
  3256.                 self.tk.call('image', 'delete', self.name)
  3257.             except TclError:
  3258.                 # May happen if the root was destroyed
  3259.                 pass
  3260.     def __setitem__(self, key, value):
  3261.         self.tk.call(self.name, 'configure', '-'+key, value)
  3262.     def __getitem__(self, key):
  3263.         return self.tk.call(self.name, 'configure', '-'+key)
  3264.     def configure(self, **kw):
  3265.         """Configure the image."""
  3266.         res = ()
  3267.         for k, v in _cnfmerge(kw).items():
  3268.             if v is not None:
  3269.                 if k[-1] == '_': k = k[:-1]
  3270.                 if callable(v):
  3271.                     v = self._register(v)
  3272.                 res = res + ('-'+k, v)
  3273.         self.tk.call((self.name, 'config') + res)
  3274.     config = configure
  3275.     def height(self):
  3276.         """Return the height of the image."""
  3277.         return getint(
  3278.             self.tk.call('image', 'height', self.name))
  3279.     def type(self):
  3280.         """Return the type of the imgage, e.g. "photo" or "bitmap"."""
  3281.         return self.tk.call('image', 'type', self.name)
  3282.     def width(self):
  3283.         """Return the width of the image."""
  3284.         return getint(
  3285.             self.tk.call('image', 'width', self.name))
  3286.  
  3287. class PhotoImage(Image):
  3288.     """Widget which can display colored images in GIF, PPM/PGM format."""
  3289.     def __init__(self, name=None, cnf={}, master=None, **kw):
  3290.         """Create an image with NAME.
  3291.  
  3292.         Valid resource names: data, format, file, gamma, height, palette,
  3293.         width."""
  3294.         Image.__init__(self, 'photo', name, cnf, master, **kw)
  3295.     def blank(self):
  3296.         """Display a transparent image."""
  3297.         self.tk.call(self.name, 'blank')
  3298.     def cget(self, option):
  3299.         """Return the value of OPTION."""
  3300.         return self.tk.call(self.name, 'cget', '-' + option)
  3301.     # XXX config
  3302.     def __getitem__(self, key):
  3303.         return self.tk.call(self.name, 'cget', '-' + key)
  3304.     # XXX copy -from, -to, ...?
  3305.     def copy(self):
  3306.         """Return a new PhotoImage with the same image as this widget."""
  3307.         destImage = PhotoImage()
  3308.         self.tk.call(destImage, 'copy', self.name)
  3309.         return destImage
  3310.     def zoom(self,x,y=''):
  3311.         """Return a new PhotoImage with the same image as this widget
  3312.         but zoom it with X and Y."""
  3313.         destImage = PhotoImage()
  3314.         if y=='': y=x
  3315.         self.tk.call(destImage, 'copy', self.name, '-zoom',x,y)
  3316.         return destImage
  3317.     def subsample(self,x,y=''):
  3318.         """Return a new PhotoImage based on the same image as this widget
  3319.         but use only every Xth or Yth pixel."""
  3320.         destImage = PhotoImage()
  3321.         if y=='': y=x
  3322.         self.tk.call(destImage, 'copy', self.name, '-subsample',x,y)
  3323.         return destImage
  3324.     def get(self, x, y):
  3325.         """Return the color (red, green, blue) of the pixel at X,Y."""
  3326.         return self.tk.call(self.name, 'get', x, y)
  3327.     def put(self, data, to=None):
  3328.         """Put row formated colors to image starting from
  3329.         position TO, e.g. image.put("{red green} {blue yellow}", to=(4,6))"""
  3330.         args = (self.name, 'put', data)
  3331.         if to:
  3332.             if to[0] == '-to':
  3333.                 to = to[1:]
  3334.             args = args + ('-to',) + tuple(to)
  3335.         self.tk.call(args)
  3336.     # XXX read
  3337.     def write(self, filename, format=None, from_coords=None):
  3338.         """Write image to file FILENAME in FORMAT starting from
  3339.         position FROM_COORDS."""
  3340.         args = (self.name, 'write', filename)
  3341.         if format:
  3342.             args = args + ('-format', format)
  3343.         if from_coords:
  3344.             args = args + ('-from',) + tuple(from_coords)
  3345.         self.tk.call(args)
  3346.  
  3347. class BitmapImage(Image):
  3348.     """Widget which can display a bitmap."""
  3349.     def __init__(self, name=None, cnf={}, master=None, **kw):
  3350.         """Create a bitmap with NAME.
  3351.  
  3352.         Valid resource names: background, data, file, foreground, maskdata, maskfile."""
  3353.         Image.__init__(self, 'bitmap', name, cnf, master, **kw)
  3354.  
  3355. def image_names(): return _default_root.tk.call('image', 'names')
  3356. def image_types(): return _default_root.tk.call('image', 'types')
  3357.  
  3358.  
  3359. class Spinbox(Widget):
  3360.     """spinbox widget."""
  3361.     def __init__(self, master=None, cnf={}, **kw):
  3362.         """Construct a spinbox widget with the parent MASTER.
  3363.  
  3364.         STANDARD OPTIONS
  3365.  
  3366.             activebackground, background, borderwidth,
  3367.             cursor, exportselection, font, foreground,
  3368.             highlightbackground, highlightcolor,
  3369.             highlightthickness, insertbackground,
  3370.             insertborderwidth, insertofftime,
  3371.             insertontime, insertwidth, justify, relief,
  3372.             repeatdelay, repeatinterval,
  3373.             selectbackground, selectborderwidth
  3374.             selectforeground, takefocus, textvariable
  3375.             xscrollcommand.
  3376.  
  3377.         WIDGET-SPECIFIC OPTIONS
  3378.  
  3379.             buttonbackground, buttoncursor,
  3380.             buttondownrelief, buttonuprelief,
  3381.             command, disabledbackground,
  3382.             disabledforeground, format, from,
  3383.             invalidcommand, increment,
  3384.             readonlybackground, state, to,
  3385.             validate, validatecommand values,
  3386.             width, wrap,
  3387.         """
  3388.         Widget.__init__(self, master, 'spinbox', cnf, kw)
  3389.  
  3390.     def bbox(self, index):
  3391.         """Return a tuple of X1,Y1,X2,Y2 coordinates for a
  3392.         rectangle which encloses the character given by index.
  3393.  
  3394.         The first two elements of the list give the x and y
  3395.         coordinates of the upper-left corner of the screen
  3396.         area covered by the character (in pixels relative
  3397.         to the widget) and the last two elements give the
  3398.         width and height of the character, in pixels. The
  3399.         bounding box may refer to a region outside the
  3400.         visible area of the window.
  3401.         """
  3402.         return self.tk.call(self._w, 'bbox', index)
  3403.  
  3404.     def delete(self, first, last=None):
  3405.         """Delete one or more elements of the spinbox.
  3406.  
  3407.         First is the index of the first character to delete,
  3408.         and last is the index of the character just after
  3409.         the last one to delete. If last isn't specified it
  3410.         defaults to first+1, i.e. a single character is
  3411.         deleted.  This command returns an empty string.
  3412.         """
  3413.         return self.tk.call(self._w, 'delete', first, last)
  3414.  
  3415.     def get(self):
  3416.         """Returns the spinbox's string"""
  3417.         return self.tk.call(self._w, 'get')
  3418.  
  3419.     def icursor(self, index):
  3420.         """Alter the position of the insertion cursor.
  3421.  
  3422.         The insertion cursor will be displayed just before
  3423.         the character given by index. Returns an empty string
  3424.         """
  3425.         return self.tk.call(self._w, 'icursor', index)
  3426.  
  3427.     def identify(self, x, y):
  3428.         """Returns the name of the widget at position x, y
  3429.  
  3430.         Return value is one of: none, buttondown, buttonup, entry
  3431.         """
  3432.         return self.tk.call(self._w, 'identify', x, y)
  3433.  
  3434.     def index(self, index):
  3435.         """Returns the numerical index corresponding to index
  3436.         """
  3437.         return self.tk.call(self._w, 'index', index)
  3438.  
  3439.     def insert(self, index, s):
  3440.         """Insert string s at index
  3441.  
  3442.          Returns an empty string.
  3443.         """
  3444.         return self.tk.call(self._w, 'insert', index, s)
  3445.  
  3446.     def invoke(self, element):
  3447.         """Causes the specified element to be invoked
  3448.  
  3449.         The element could be buttondown or buttonup
  3450.         triggering the action associated with it.
  3451.         """
  3452.         return self.tk.call(self._w, 'invoke', element)
  3453.  
  3454.     def scan(self, *args):
  3455.         """Internal function."""
  3456.         return self._getints(
  3457.             self.tk.call((self._w, 'scan') + args)) or ()
  3458.  
  3459.     def scan_mark(self, x):
  3460.         """Records x and the current view in the spinbox window;
  3461.  
  3462.         used in conjunction with later scan dragto commands.
  3463.         Typically this command is associated with a mouse button
  3464.         press in the widget. It returns an empty string.
  3465.         """
  3466.         return self.scan("mark", x)
  3467.  
  3468.     def scan_dragto(self, x):
  3469.         """Compute the difference between the given x argument
  3470.         and the x argument to the last scan mark command
  3471.  
  3472.         It then adjusts the view left or right by 10 times the
  3473.         difference in x-coordinates. This command is typically
  3474.         associated with mouse motion events in the widget, to
  3475.         produce the effect of dragging the spinbox at high speed
  3476.         through the window. The return value is an empty string.
  3477.         """
  3478.         return self.scan("dragto", x)
  3479.  
  3480.     def selection(self, *args):
  3481.         """Internal function."""
  3482.         return self._getints(
  3483.             self.tk.call((self._w, 'selection') + args)) or ()
  3484.  
  3485.     def selection_adjust(self, index):
  3486.         """Locate the end of the selection nearest to the character
  3487.         given by index,
  3488.  
  3489.         Then adjust that end of the selection to be at index
  3490.         (i.e including but not going beyond index). The other
  3491.         end of the selection is made the anchor point for future
  3492.         select to commands. If the selection isn't currently in
  3493.         the spinbox, then a new selection is created to include
  3494.         the characters between index and the most recent selection
  3495.         anchor point, inclusive. Returns an empty string.
  3496.         """
  3497.         return self.selection("adjust", index)
  3498.  
  3499.     def selection_clear(self):
  3500.         """Clear the selection
  3501.  
  3502.         If the selection isn't in this widget then the
  3503.         command has no effect. Returns an empty string.
  3504.         """
  3505.         return self.selection("clear")
  3506.  
  3507.     def selection_element(self, element=None):
  3508.         """Sets or gets the currently selected element.
  3509.  
  3510.         If a spinbutton element is specified, it will be
  3511.         displayed depressed
  3512.         """
  3513.         return self.selection("element", element)
  3514.  
  3515. ###########################################################################
  3516.  
  3517. class LabelFrame(Widget):
  3518.     """labelframe widget."""
  3519.     def __init__(self, master=None, cnf={}, **kw):
  3520.         """Construct a labelframe widget with the parent MASTER.
  3521.  
  3522.         STANDARD OPTIONS
  3523.  
  3524.             borderwidth, cursor, font, foreground,
  3525.             highlightbackground, highlightcolor,
  3526.             highlightthickness, padx, pady, relief,
  3527.             takefocus, text
  3528.  
  3529.         WIDGET-SPECIFIC OPTIONS
  3530.  
  3531.             background, class, colormap, container,
  3532.             height, labelanchor, labelwidget,
  3533.             visual, width
  3534.         """
  3535.         Widget.__init__(self, master, 'labelframe', cnf, kw)
  3536.  
  3537. ########################################################################
  3538.  
  3539. class PanedWindow(Widget):
  3540.     """panedwindow widget."""
  3541.     def __init__(self, master=None, cnf={}, **kw):
  3542.         """Construct a panedwindow widget with the parent MASTER.
  3543.  
  3544.         STANDARD OPTIONS
  3545.  
  3546.             background, borderwidth, cursor, height,
  3547.             orient, relief, width
  3548.  
  3549.         WIDGET-SPECIFIC OPTIONS
  3550.  
  3551.             handlepad, handlesize, opaqueresize,
  3552.             sashcursor, sashpad, sashrelief,
  3553.             sashwidth, showhandle,
  3554.         """
  3555.         Widget.__init__(self, master, 'panedwindow', cnf, kw)
  3556.  
  3557.     def add(self, child, **kw):
  3558.         """Add a child widget to the panedwindow in a new pane.
  3559.  
  3560.         The child argument is the name of the child widget
  3561.         followed by pairs of arguments that specify how to
  3562.         manage the windows. Options may have any of the values
  3563.         accepted by the configure subcommand.
  3564.         """
  3565.         self.tk.call((self._w, 'add', child) + self._options(kw))
  3566.  
  3567.     def remove(self, child):
  3568.         """Remove the pane containing child from the panedwindow
  3569.  
  3570.         All geometry management options for child will be forgotten.
  3571.         """
  3572.         self.tk.call(self._w, 'forget', child)
  3573.     forget=remove
  3574.  
  3575.     def identify(self, x, y):
  3576.         """Identify the panedwindow component at point x, y
  3577.  
  3578.         If the point is over a sash or a sash handle, the result
  3579.         is a two element list containing the index of the sash or
  3580.         handle, and a word indicating whether it is over a sash
  3581.         or a handle, such as {0 sash} or {2 handle}. If the point
  3582.         is over any other part of the panedwindow, the result is
  3583.         an empty list.
  3584.         """
  3585.         return self.tk.call(self._w, 'identify', x, y)
  3586.  
  3587.     def proxy(self, *args):
  3588.         """Internal function."""
  3589.         return self._getints(
  3590.             self.tk.call((self._w, 'proxy') + args)) or ()
  3591.  
  3592.     def proxy_coord(self):
  3593.         """Return the x and y pair of the most recent proxy location
  3594.         """
  3595.         return self.proxy("coord")
  3596.  
  3597.     def proxy_forget(self):
  3598.         """Remove the proxy from the display.
  3599.         """
  3600.         return self.proxy("forget")
  3601.  
  3602.     def proxy_place(self, x, y):
  3603.         """Place the proxy at the given x and y coordinates.
  3604.         """
  3605.         return self.proxy("place", x, y)
  3606.  
  3607.     def sash(self, *args):
  3608.         """Internal function."""
  3609.         return self._getints(
  3610.             self.tk.call((self._w, 'sash') + args)) or ()
  3611.  
  3612.     def sash_coord(self, index):
  3613.         """Return the current x and y pair for the sash given by index.
  3614.  
  3615.         Index must be an integer between 0 and 1 less than the
  3616.         number of panes in the panedwindow. The coordinates given are
  3617.         those of the top left corner of the region containing the sash.
  3618.         pathName sash dragto index x y This command computes the
  3619.         difference between the given coordinates and the coordinates
  3620.         given to the last sash coord command for the given sash. It then
  3621.         moves that sash the computed difference. The return value is the
  3622.         empty string.
  3623.         """
  3624.         return self.sash("coord", index)
  3625.  
  3626.     def sash_mark(self, index):
  3627.         """Records x and y for the sash given by index;
  3628.  
  3629.         Used in conjunction with later dragto commands to move the sash.
  3630.         """
  3631.         return self.sash("mark", index)
  3632.  
  3633.     def sash_place(self, index, x, y):
  3634.         """Place the sash given by index at the given coordinates
  3635.         """
  3636.         return self.sash("place", index, x, y)
  3637.  
  3638.     def panecget(self, child, option):
  3639.         """Query a management option for window.
  3640.  
  3641.         Option may be any value allowed by the paneconfigure subcommand
  3642.         """
  3643.         return self.tk.call(
  3644.             (self._w, 'panecget') + (child, '-'+option))
  3645.  
  3646.     def paneconfigure(self, tagOrId, cnf=None, **kw):
  3647.         """Query or modify the management options for window.
  3648.  
  3649.         If no option is specified, returns a list describing all
  3650.         of the available options for pathName.  If option is
  3651.         specified with no value, then the command returns a list
  3652.         describing the one named option (this list will be identical
  3653.         to the corresponding sublist of the value returned if no
  3654.         option is specified). If one or more option-value pairs are
  3655.         specified, then the command modifies the given widget
  3656.         option(s) to have the given value(s); in this case the
  3657.         command returns an empty string. The following options
  3658.         are supported:
  3659.  
  3660.         after window
  3661.             Insert the window after the window specified. window
  3662.             should be the name of a window already managed by pathName.
  3663.         before window
  3664.             Insert the window before the window specified. window
  3665.             should be the name of a window already managed by pathName.
  3666.         height size
  3667.             Specify a height for the window. The height will be the
  3668.             outer dimension of the window including its border, if
  3669.             any. If size is an empty string, or if -height is not
  3670.             specified, then the height requested internally by the
  3671.             window will be used initially; the height may later be
  3672.             adjusted by the movement of sashes in the panedwindow.
  3673.             Size may be any value accepted by Tk_GetPixels.
  3674.         minsize n
  3675.             Specifies that the size of the window cannot be made
  3676.             less than n. This constraint only affects the size of
  3677.             the widget in the paned dimension -- the x dimension
  3678.             for horizontal panedwindows, the y dimension for
  3679.             vertical panedwindows. May be any value accepted by
  3680.             Tk_GetPixels.
  3681.         padx n
  3682.             Specifies a non-negative value indicating how much
  3683.             extra space to leave on each side of the window in
  3684.             the X-direction. The value may have any of the forms
  3685.             accepted by Tk_GetPixels.
  3686.         pady n
  3687.             Specifies a non-negative value indicating how much
  3688.             extra space to leave on each side of the window in
  3689.             the Y-direction. The value may have any of the forms
  3690.             accepted by Tk_GetPixels.
  3691.         sticky style
  3692.             If a window's pane is larger than the requested
  3693.             dimensions of the window, this option may be used
  3694.             to position (or stretch) the window within its pane.
  3695.             Style is a string that contains zero or more of the
  3696.             characters n, s, e or w. The string can optionally
  3697.             contains spaces or commas, but they are ignored. Each
  3698.             letter refers to a side (north, south, east, or west)
  3699.             that the window will "stick" to. If both n and s
  3700.             (or e and w) are specified, the window will be
  3701.             stretched to fill the entire height (or width) of
  3702.             its cavity.
  3703.         width size
  3704.             Specify a width for the window. The width will be
  3705.             the outer dimension of the window including its
  3706.             border, if any. If size is an empty string, or
  3707.             if -width is not specified, then the width requested
  3708.             internally by the window will be used initially; the
  3709.             width may later be adjusted by the movement of sashes
  3710.             in the panedwindow. Size may be any value accepted by
  3711.             Tk_GetPixels.
  3712.  
  3713.         """
  3714.         if cnf is None and not kw:
  3715.             cnf = {}
  3716.             for x in self.tk.split(
  3717.                 self.tk.call(self._w,
  3718.                          'paneconfigure', tagOrId)):
  3719.                 cnf[x[0][1:]] = (x[0][1:],) + x[1:]
  3720.             return cnf
  3721.         if type(cnf) == StringType and not kw:
  3722.             x = self.tk.split(self.tk.call(
  3723.                 self._w, 'paneconfigure', tagOrId, '-'+cnf))
  3724.             return (x[0][1:],) + x[1:]
  3725.         self.tk.call((self._w, 'paneconfigure', tagOrId) +
  3726.                  self._options(cnf, kw))
  3727.     paneconfig = paneconfigure
  3728.  
  3729.     def panes(self):
  3730.         """Returns an ordered list of the child panes."""
  3731.         return self.tk.call(self._w, 'panes')
  3732.  
  3733. ######################################################################
  3734. # Extensions:
  3735.  
  3736. class Studbutton(Button):
  3737.     def __init__(self, master=None, cnf={}, **kw):
  3738.         Widget.__init__(self, master, 'studbutton', cnf, kw)
  3739.         self.bind('<Any-Enter>',       self.tkButtonEnter)
  3740.         self.bind('<Any-Leave>',       self.tkButtonLeave)
  3741.         self.bind('<1>',               self.tkButtonDown)
  3742.         self.bind('<ButtonRelease-1>', self.tkButtonUp)
  3743.  
  3744. class Tributton(Button):
  3745.     def __init__(self, master=None, cnf={}, **kw):
  3746.         Widget.__init__(self, master, 'tributton', cnf, kw)
  3747.         self.bind('<Any-Enter>',       self.tkButtonEnter)
  3748.         self.bind('<Any-Leave>',       self.tkButtonLeave)
  3749.         self.bind('<1>',               self.tkButtonDown)
  3750.         self.bind('<ButtonRelease-1>', self.tkButtonUp)
  3751.         self['fg']               = self['bg']
  3752.         self['activebackground'] = self['bg']
  3753.  
  3754. ######################################################################
  3755. # Test:
  3756.  
  3757. def _test():
  3758.     root = Tk()
  3759.     text = "This is Tcl/Tk version %s" % TclVersion
  3760.     if TclVersion >= 8.1:
  3761.         try:
  3762.             text = text + unicode("\nThis should be a cedilla: \347",
  3763.                                   "iso-8859-1")
  3764.         except NameError:
  3765.             pass # no unicode support
  3766.     label = Label(root, text=text)
  3767.     label.pack()
  3768.     test = Button(root, text="Click me!",
  3769.               command=lambda root=root: root.test.configure(
  3770.                   text="[%s]" % root.test['text']))
  3771.     test.pack()
  3772.     root.test = test
  3773.     quit = Button(root, text="QUIT", command=root.destroy)
  3774.     quit.pack()
  3775.     # The following three commands are needed so the window pops
  3776.     # up on top on Windows...
  3777.     root.iconify()
  3778.     root.update()
  3779.     root.deiconify()
  3780.     root.mainloop()
  3781.  
  3782. if __name__ == '__main__':
  3783.     _test()
  3784.